루비에서 낙타 케이스를 밑줄 케이스로 변환
낙타 문자 문자열을 밑줄로 구분 된 문자열로 변환하는 준비된 기능이 있습니까?
나는 이런 것을 원한다.
"CamelCaseString".to_underscore
"camel_case_string"을 반환합니다.
...
Rails의 ActiveSupport 는 다음을 사용하여 문자열에 밑줄을 추가합니다.
class String
def underscore
self.gsub(/::/, '/').
gsub(/([A-Z]+)([A-Z][a-z])/,'\1_\2').
gsub(/([a-z\d])([A-Z])/,'\1_\2').
tr("-", "_").
downcase
end
end
그런 다음 재미있는 일을 할 수 있습니다.
"CamelCase".underscore
=> "camel_case"
당신이 사용할 수있는
"CamelCasedName".tableize.singularize
아니면 그냥
"CamelCasedName".underscore
두 가지 방법으로 모두 산출 "camel_cased_name"
합니다. 자세한 내용은 여기를 참조 하십시오 .
단일 라이너 Ruby 구현 :
class String
# ruby mutation methods have the expectation to return self if a mutation occurred, nil otherwise. (see http://www.ruby-doc.org/core-1.9.3/String.html#method-i-gsub-21)
def to_underscore!
gsub!(/(.)([A-Z])/,'\1_\2')
downcase!
end
def to_underscore
dup.tap { |s| s.to_underscore! }
end
end
그래서 "SomeCamelCase".to_underscore # =>"some_camel_case"
이 목적으로 사용할 수있는 '밑줄'이라는 Rails 내장 메소드가 있습니다.
"CamelCaseString".underscore #=> "camel_case_string"
'밑줄'방법은 일반적으로 '동기화'의 역으로 간주 할 수 있습니다.
def underscore(camel_cased_word)
camel_cased_word.to_s.gsub(/::/, '/').
gsub(/([A-Z]+)([A-Z][a-z])/,'\1_\2').
gsub(/([a-z\d])([A-Z])/,'\1_\2').
tr("-", "_").
downcase
end
뱀 케이스로 변환 된 수신자 : http://rubydoc.info/gems/extlib/0.9.15/String#snake_case-instance_method
이것은 DataMapper 및 Merb의 지원 라이브러리입니다. ( http://rubygems.org/gems/extlib )
def snake_case
return downcase if match(/\A[A-Z]+\z/)
gsub(/([A-Z]+)([A-Z][a-z])/, '\1_\2').
gsub(/([a-z])([A-Z])/, '\1_\2').
downcase
end
"FooBar".snake_case #=> "foo_bar"
"HeadlineCNNNews".snake_case #=> "headline_cnn_news"
"CNN".snake_case #=> "cnn"
Ruby Facets 에서 뱀 장식 확인
다음과 같은 경우에 처리됩니다.
"SnakeCase".snakecase #=> "snake_case"
"Snake-Case".snakecase #=> "snake_case"
"Snake Case".snakecase #=> "snake_case"
"Snake - Case".snakecase #=> "snake_case"
보낸 사람 : https://github.com/rubyworks/facets/blob/master/lib/core/facets/string/snakecase.rb
class String
# Underscore a string such that camelcase, dashes and spaces are
# replaced by underscores. This is the reverse of {#camelcase},
# albeit not an exact inverse.
#
# "SnakeCase".snakecase #=> "snake_case"
# "Snake-Case".snakecase #=> "snake_case"
# "Snake Case".snakecase #=> "snake_case"
# "Snake - Case".snakecase #=> "snake_case"
#
# Note, this method no longer converts `::` to `/`, in that case
# use the {#pathize} method instead.
def snakecase
#gsub(/::/, '/').
gsub(/([A-Z]+)([A-Z][a-z])/,'\1_\2').
gsub(/([a-z\d])([A-Z])/,'\1_\2').
tr('-', '_').
gsub(/\s/, '_').
gsub(/__+/, '_').
downcase
end
#
alias_method :underscore, :snakecase
# TODO: Add *separators to #snakecase, like camelcase.
end
공백이 포함 된 경우 CamelCases 용 짧은 oneliner (작은 시작 문자가 포함 된 단어가있는 경우 올바르게 작동하지 않음) :
a = "Test String"
a.gsub(' ', '').underscore
=> "test_string"
나는 이것을 원한다 :
class String
# \n returns the capture group of "n" index
def snikize
self.gsub(/::/, '/')
.gsub(/([a-z\d])([A-Z])/, "\1_\2")
.downcase
end
# or
def snikize
self.gsub(/::/, '/')
.gsub(/([a-z\d])([A-Z])/) do
"#{$1}_#{$2}"
end
.downcase
end
end
String
클래스의 원숭이 패치 . 대문자로 두 개 이상의 문자로 시작하는 클래스가 있습니다.
공백이있는 문자열에 밑줄을 적용하고 밑줄로 변환하려는 경우를 찾고있는 사람은 다음과 같이 사용할 수 있습니다
'your String will be converted To underscore'.parameterize.underscore
#your_string_will_be_converted_to_underscore
또는 .parameterize ( '_')을 사용하지만이 기능은 더 이상 사용되지 않습니다.
'your String will be converted To underscore'.parameterize('_')
#your_string_will_be_converted_to_underscore
참고 URL : https://stackoverflow.com/questions/1509915/converting-camel-case-to-underscore-case-in-ruby
'IT story' 카테고리의 다른 글
Java 어노테이션 멤버에 어떤 유형을 사용할 수 있습니까? (0) | 2020.04.28 |
---|---|
할당과 평등 검사를 결합한 if 문이 왜 true를 반환합니까? (0) | 2020.04.28 |
안드로이드 액션 바 제목과 아이콘을 변경하는 방법 (0) | 2020.04.26 |
변수 만 참조로 전달해야합니다 (0) | 2020.04.26 |
'adb'는 내부 또는 외부 명령, 작동 가능한 프로그램 또는 배치 파일로 인식되지 않습니다. (0) | 2020.04.26 |