是否有任何现成的函数转换驼峰大小写字符串为下划线分隔字符串?
我想要这样的东西:
"CamelCaseString".to_underscore
返回“camel_case_string”。
...
是否有任何现成的函数转换驼峰大小写字符串为下划线分隔字符串?
我想要这样的东西:
"CamelCaseString".to_underscore
返回“camel_case_string”。
...
当前回答
有一个Rails内置的方法叫做“下划线”,你可以使用它来实现这个目的
"CamelCaseString".underscore #=> "camel_case_string"
“下划线”方法通常可以被认为是“camelize”的逆方法。
其他回答
下面是Rails是如何做到的:
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
有一个Rails内置的方法叫做“下划线”,你可以使用它来实现这个目的
"CamelCaseString".underscore #=> "camel_case_string"
“下划线”方法通常可以被认为是“camelize”的逆方法。
一行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"
你可以使用
"CamelCasedName".tableize.singularize
或者只是
"CamelCasedName".underscore
这两种方法都会产生“camel_cased_name”。你可以在这里查看更多细节。
如果有人需要在带空格的字符串中应用下划线,并且想要将它们转换为下划线,你可以使用这样的东西
'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