示例:
>>> convert('CamelCase')
'camel_case'
答案 0 :(得分:665)
这非常彻底:
def convert(name):
s1 = re.sub('(.)([A-Z][a-z]+)', r'\1_\2', name)
return re.sub('([a-z0-9])([A-Z])', r'\1_\2', s1).lower()
适用于所有这些(并且不会损害已经未出版的版本):
>>> convert('CamelCase')
'camel_case'
>>> convert('CamelCamelCase')
'camel_camel_case'
>>> convert('Camel2Camel2Case')
'camel2_camel2_case'
>>> convert('getHTTPResponseCode')
'get_http_response_code'
>>> convert('get2HTTPResponseCode')
'get2_http_response_code'
>>> convert('HTTPResponseCode')
'http_response_code'
>>> convert('HTTPResponseCodeXYZ')
'http_response_code_xyz'
或者,如果你打算多次调用它,你可以预编译正则表达式:
first_cap_re = re.compile('(.)([A-Z][a-z]+)')
all_cap_re = re.compile('([a-z0-9])([A-Z])')
def convert(name):
s1 = first_cap_re.sub(r'\1_\2', name)
return all_cap_re.sub(r'\1_\2', s1).lower()
不要忘记导入正则表达式模块
import re
答案 1 :(得分:142)
包索引中有inflection library可以为您处理这些事情。在这种情况下,您将寻找inflection.underscore()
:
>>> inflection.underscore('CamelCase')
'camel_case'
答案 2 :(得分:85)
我不知道为什么这些都如此复杂。
对于大多数情况,简单表达式([A-Z]+)
将起作用
>>> re.sub('([A-Z]+)', r'_\1','CamelCase').lower()
'_camel_case'
>>> re.sub('([A-Z]+)', r'_\1','camelCase').lower()
'camel_case'
>>> re.sub('([A-Z]+)', r'_\1','camel2Case2').lower()
'camel2_case2'
>>> re.sub('([A-Z]+)', r'_\1','camelCamelCase').lower()
'camel_camel_case'
>>> re.sub('([A-Z]+)', r'_\1','getHTTPResponseCode').lower()
'get_httpresponse_code'
要忽略第一个字符,只需在(?!^)
>>> re.sub('(?!^)([A-Z]+)', r'_\1','CamelCase').lower()
'camel_case'
>>> re.sub('(?!^)([A-Z]+)', r'_\1','CamelCamelCase').lower()
'camel_camel_case'
>>> re.sub('(?!^)([A-Z]+)', r'_\1','Camel2Camel2Case').lower()
'camel2_camel2_case'
>>> re.sub('(?!^)([A-Z]+)', r'_\1','getHTTPResponseCode').lower()
'get_httpresponse_code'
如果你想将ALLCaps分离到all_caps并期望你的字符串中的数字,你仍然不需要做两次单独的运行只需使用|
这个表达式((?<=[a-z0-9])[A-Z]|(?!^)[A-Z](?=[a-z]))
几乎可以处理书
>>> a = re.compile('((?<=[a-z0-9])[A-Z]|(?!^)[A-Z](?=[a-z]))')
>>> a.sub(r'_\1', 'getHTTPResponseCode').lower()
'get_http_response_code'
>>> a.sub(r'_\1', 'get2HTTPResponseCode').lower()
'get2_http_response_code'
>>> a.sub(r'_\1', 'get2HTTPResponse123Code').lower()
'get2_http_response123_code'
>>> a.sub(r'_\1', 'HTTPResponseCode').lower()
'http_response_code'
>>> a.sub(r'_\1', 'HTTPResponseCodeXYZ').lower()
'http_response_code_xyz'
这完全取决于您的需求,因此请使用最适合您需求的解决方案,因为它不应过于复杂。
的nJoy!
答案 3 :(得分:15)
就个人而言,我不确定在python中使用正则表达式的任何内容都可以被描述为优雅。这里的大多数答案只是做“代码高尔夫”类型的RE技巧。优雅的编码应该很容易理解。
def to_snake_case(not_snake_case):
final = ''
for i in xrange(len(not_snake_case)):
item = not_snake_case[i]
if i < len(not_snake_case) - 1:
next_char_will_be_underscored = (
not_snake_case[i+1] == "_" or
not_snake_case[i+1] == " " or
not_snake_case[i+1].isupper()
)
if (item == " " or item == "_") and next_char_will_be_underscored:
continue
elif (item == " " or item == "_"):
final += "_"
elif item.isupper():
final += "_"+item.lower()
else:
final += item
if final[0] == "_":
final = final[1:]
return final
>>> to_snake_case("RegularExpressionsAreFunky")
'regular_expressions_are_funky'
>>> to_snake_case("RegularExpressionsAre Funky")
'regular_expressions_are_funky'
>>> to_snake_case("RegularExpressionsAre_Funky")
'regular_expressions_are_funky'
答案 4 :(得分:11)
stringcase是我的首选图书馆; e.g:
>>> from stringcase import pascalcase, snakecase
>>> snakecase('FooBarBaz')
'foo_bar_baz'
>>> pascalcase('foo_bar_baz')
'FooBarBaz'
答案 5 :(得分:8)
''.join('_'+c.lower() if c.isupper() else c for c in "DeathToCamelCase").strip('_')
re.sub("(.)([A-Z])", r'\1_\2', 'DeathToCamelCase').lower()
答案 6 :(得分:5)
我不明白为什么同时使用.sub()调用? :)我不是正则表达式大师,但我简化了这个功能,这适合我的特定需求,我只需要一个解决方案将camelCasedVars从POST请求转换为vars_with_underscore:
def myFunc(...):
return re.sub('(.)([A-Z]{1})', r'\1_\2', "iTriedToWriteNicely").lower()
它不适用于像getHTTPResponse这样的名称,因为我听说这是错误的命名约定(应该像getHttpResponse,显然,它更容易记住这个表单)。
答案 7 :(得分:4)
我认为这个解决方案比以前的答案更直接:
import re
def convert (camel_input):
words = re.findall(r'[A-Z]?[a-z]+|[A-Z]{2,}(?=[A-Z][a-z]|\d|\W|$)|\d+', camel_input)
return '_'.join(map(str.lower, words))
# Let's test it
test_strings = [
'CamelCase',
'camelCamelCase',
'Camel2Camel2Case',
'getHTTPResponseCode',
'get200HTTPResponseCode',
'getHTTP200ResponseCode',
'HTTPResponseCode',
'ResponseHTTP',
'ResponseHTTP2',
'Fun?!awesome',
'Fun?!Awesome',
'10CoolDudes',
'20coolDudes'
]
for test_string in test_strings:
print(convert(test_string))
哪个输出:
camel_case
camel_camel_case
camel_2_camel_2_case
get_http_response_code
get_200_http_response_code
get_http_200_response_code
http_response_code
response_http
response_http_2
fun_awesome
fun_awesome
10_cool_dudes
20_cool_dudes
正则表达式匹配三种模式:
[A-Z]?[a-z]+
:连续的小写字母,可选择以大写字母开头。[A-Z]{2,}(?=[A-Z][a-z]|\d|\W|$)
:两个或多个连续的大写字母。它使用前瞻来排除最后一个大写字母,如果它后跟一个小写字母。\d+
:连续数字。通过使用re.findall
,我们得到一个单独的“单词”列表,这些单词可以转换为小写并与下划线连接。
答案 8 :(得分:4)
这是我的解决方案:
def un_camel(text):
""" Converts a CamelCase name into an under_score name.
>>> un_camel('CamelCase')
'camel_case'
>>> un_camel('getHTTPResponseCode')
'get_http_response_code'
"""
result = []
pos = 0
while pos < len(text):
if text[pos].isupper():
if pos-1 > 0 and text[pos-1].islower() or pos-1 > 0 and \
pos+1 < len(text) and text[pos+1].islower():
result.append("_%s" % text[pos].lower())
else:
result.append(text[pos].lower())
else:
result.append(text[pos])
pos += 1
return "".join(result)
它支持评论中讨论的那些角落案例。例如,它会将getHTTPResponseCode
转换为get_http_response_code
,就像它应该的那样。
答案 9 :(得分:3)
为了它的乐趣:
>>> def un_camel(input):
... output = [input[0].lower()]
... for c in input[1:]:
... if c in ('ABCDEFGHIJKLMNOPQRSTUVWXYZ'):
... output.append('_')
... output.append(c.lower())
... else:
... output.append(c)
... return str.join('', output)
...
>>> un_camel("camel_case")
'camel_case'
>>> un_camel("CamelCase")
'camel_case'
或者更多的是为了它的乐趣:
>>> un_camel = lambda i: i[0].lower() + str.join('', ("_" + c.lower() if c in "ABCDEFGHIJKLMNOPQRSTUVWXYZ" else c for c in i[1:]))
>>> un_camel("camel_case")
'camel_case'
>>> un_camel("CamelCase")
'camel_case'
答案 10 :(得分:2)
这么多复杂的方法...... 只需找到所有&#34;标题为&#34;分组并使用下划线加入其较低的套装变体。
>>> import re
>>> def camel_to_snake(string):
... groups = re.findall('([A-z0-9][a-z]*)', string)
... return '_'.join([i.lower() for i in groups])
...
>>> camel_to_snake('ABCPingPongByTheWay2KWhereIsOurBorderlands3???')
'a_b_c_ping_pong_by_the_way_2_k_where_is_our_borderlands_3'
如果您不希望制作数字,如组的第一个字符或单独的组,则可以使用([A-z][a-z0-9]*)
掩码。
答案 11 :(得分:2)
这不是一个优雅的方法,是一个非常“低级”的简单状态机(bitfield状态机)的实现,可能是解决这个问题的最反pythonic模式,但是re模块也实现了一个过于复杂的状态机解决这个简单的任务,所以我认为这是一个很好的解决方案。
def splitSymbol(s):
si, ci, state = 0, 0, 0 # start_index, current_index
'''
state bits:
0: no yields
1: lower yields
2: lower yields - 1
4: upper yields
8: digit yields
16: other yields
32 : upper sequence mark
'''
for c in s:
if c.islower():
if state & 1:
yield s[si:ci]
si = ci
elif state & 2:
yield s[si:ci - 1]
si = ci - 1
state = 4 | 8 | 16
ci += 1
elif c.isupper():
if state & 4:
yield s[si:ci]
si = ci
if state & 32:
state = 2 | 8 | 16 | 32
else:
state = 8 | 16 | 32
ci += 1
elif c.isdigit():
if state & 8:
yield s[si:ci]
si = ci
state = 1 | 4 | 16
ci += 1
else:
if state & 16:
yield s[si:ci]
state = 0
ci += 1 # eat ci
si = ci
print(' : ', c, bin(state))
if state:
yield s[si:ci]
def camelcaseToUnderscore(s):
return '_'.join(splitSymbol(s))
splitsymbol可以解析所有案例类型:UpperSEQUENCEInterleaved,under_score,BIG_SYMBOLS和cammelCasedMethods
我希望它有用
答案 12 :(得分:2)
不在标准库中,但我发现this script似乎包含您需要的功能。
答案 13 :(得分:1)
哇,我只是从django片段中偷走了这个。 ref http://djangosnippets.org/snippets/585/
非常优雅
camelcase_to_underscore = lambda str: re.sub(r'(?<=[a-z])[A-Z]|[A-Z](?=[^A-Z])', r'_\g<0>', str).lower().strip('_')
示例:
camelcase_to_underscore('ThisUser')
返回:
'this_user'
答案 14 :(得分:1)
使用正则表达式可能是最短的,但这种解决方案更具可读性:
def to_snake_case(s):
snake = "".join(["_"+c.lower() if c.isupper() else c for c in s])
return snake[1:] if snake.startswith("_") else snake
答案 15 :(得分:1)
如果可能,我更愿意避免重复:
myString="ThisStringIsCamelCase"
''.join(['_'+i.lower() if i.isupper() else i for i in myString]).lstrip('_')
'this_string_is_camel_case'
答案 16 :(得分:1)
看看优秀的Schematics lib
https://github.com/schematics/schematics
它允许您创建可以从python到Javascript风格序列化/反序列化的类型化数据结构,例如:
class MapPrice(Model):
price_before_vat = DecimalType(serialized_name='priceBeforeVat')
vat_rate = DecimalType(serialized_name='vatRate')
vat = DecimalType()
total_price = DecimalType(serialized_name='totalPrice')
答案 17 :(得分:1)
从https://stackoverflow.com/users/267781/matth改编而来 谁使用发电机。
def uncamelize(s):
buff, l = '', []
for ltr in s:
if ltr.isupper():
if buff:
l.append(buff)
buff = ''
buff += ltr
l.append(buff)
return '_'.join(l).lower()
答案 18 :(得分:0)
这个简单的方法应该可以胜任:
import re
def convert(name):
return re.sub(r'([A-Z]*)([A-Z][a-z]+)', lambda x: (x.group(1) + '_' if x.group(1) else '') + x.group(2) + '_', name).rstrip('_').lower()
答案 19 :(得分:0)
以防有人需要转换完整的源文件,这是一个可以执行此操作的脚本。
# Copy and paste your camel case code in the string below
camelCaseCode ="""
cv2.Matx33d ComputeZoomMatrix(const cv2.Point2d & zoomCenter, double zoomRatio)
{
auto mat = cv2.Matx33d::eye();
mat(0, 0) = zoomRatio;
mat(1, 1) = zoomRatio;
mat(0, 2) = zoomCenter.x * (1. - zoomRatio);
mat(1, 2) = zoomCenter.y * (1. - zoomRatio);
return mat;
}
"""
import re
def snake_case(name):
s1 = re.sub('(.)([A-Z][a-z]+)', r'\1_\2', name)
return re.sub('([a-z0-9])([A-Z])', r'\1_\2', s1).lower()
def lines(str):
return str.split("\n")
def unlines(lst):
return "\n".join(lst)
def words(str):
return str.split(" ")
def unwords(lst):
return " ".join(lst)
def map_partial(function):
return lambda values : [ function(v) for v in values]
import functools
def compose(*functions):
return functools.reduce(lambda f, g: lambda x: f(g(x)), functions, lambda x: x)
snake_case_code = compose(
unlines ,
map_partial(unwords),
map_partial(map_partial(snake_case)),
map_partial(words),
lines
)
print(snake_case_code(camelCaseCode))
答案 20 :(得分:0)
def convert(name):
return reduce(
lambda x, y: x + ('_' if y.isupper() else '') + y,
name
).lower()
如果我们需要覆盖已经取消输入的案例:
def convert(name):
return reduce(
lambda x, y: x + ('_' if y.isupper() and not x.endswith('_') else '') + y,
name
).lower()
答案 21 :(得分:0)
使用正则表达式的一个可怕的例子(你可以轻松地清理它:)):
def f(s):
return s.group(1).lower() + "_" + s.group(2).lower()
p = re.compile("([A-Z]+[a-z]+)([A-Z]?)")
print p.sub(f, "CamelCase")
print p.sub(f, "getHTTPResponseCode")
适用于getHTTPResponseCode!
或者,使用lambda:
p = re.compile("([A-Z]+[a-z]+)([A-Z]?)")
print p.sub(lambda x: x.group(1).lower() + "_" + x.group(2).lower(), "CamelCase")
print p.sub(lambda x: x.group(1).lower() + "_" + x.group(2).lower(), "getHTTPResponseCode")
编辑:在“测试”等案例中也应该很容易看到,因为下划线是无条件插入的。
答案 22 :(得分:0)
没有任何图书馆:
def camelify(out):
return (''.join(["_"+x.lower() if i<len(out)-1 and x.isupper() and out[i+1].islower()
else x.lower()+"_" if i<len(out)-1 and x.islower() and out[i+1].isupper()
else x.lower() for i,x in enumerate(list(out))])).lstrip('_').replace('__','_')
有点重,但
CamelCamelCamelCase -> camel_camel_camel_case
HTTPRequest -> http_request
GetHTTPRequest -> get_http_request
getHTTPRequest -> get_http_request
答案 23 :(得分:0)
没有正则表达式的简洁,但HTTPResponseCode =&gt; httpresponse_code:
def from_camel(name):
"""
ThisIsCamelCase ==> this_is_camel_case
"""
name = name.replace("_", "")
_cas = lambda _x : [_i.isupper() for _i in _x]
seq = zip(_cas(name[1:-1]), _cas(name[2:]))
ss = [_x + 1 for _x, (_i, _j) in enumerate(seq) if (_i, _j) == (False, True)]
return "".join([ch + "_" if _x in ss else ch for _x, ch in numerate(name.lower())])
答案 24 :(得分:0)
this site提出了非常好的RegEx:
(?<!^)(?=[A-Z])
如果python有String Split方法,它应该可以工作......
在Java中:
String s = "loremIpsum";
words = s.split("(?<!^)(?=[A-Z])");
答案 25 :(得分:0)
我一直在寻找同样问题的解决方案,除了我需要一个链条; e.g。
"CamelCamelCamelCase" -> "Camel-camel-camel-case"
从这里漂亮的双字解决方案开始,我想出了以下内容:
"-".join(x.group(1).lower() if x.group(2) is None else x.group(1) \
for x in re.finditer("((^.[^A-Z]+)|([A-Z][^A-Z]+))", "stringToSplit"))
大多数复杂的逻辑是避免缩小第一个单词。如果您不介意改变第一个单词,这是一个更简单的版本:
"-".join(x.group(1).lower() for x in re.finditer("(^[^A-Z]+|[A-Z][^A-Z]+)", "stringToSplit"))
当然,您可以预编译正则表达式或使用下划线而不是连字符连接,如其他解决方案中所述。
答案 26 :(得分:0)
我在更改制表符分隔文件上的标题时执行了以下操作。我省略了我只编辑文件第一行的部分。你可以使用re库轻松地将它改编为Python。这还包括分出数字(但将数字保持在一起)。我分两步完成,因为这比告诉它不要在行或标签的开头放置下划线更容易。
第一步...找到以小写字母开头的大写字母或整数,并在它们前面加下划线:
搜索:
([a-z]+)([A-Z]|[0-9]+)
的更换:
\1_\l\2/
第二步......采取上述措施并再次运行将所有大写字母转换为小写:
搜索:
([A-Z])
替换(反斜杠,小写L,反斜杠,一个):
\l\1
答案 27 :(得分:-1)
我对这个有好运:
import re
def camelcase_to_underscore(s):
return re.sub(r'(^|[a-z])([A-Z])',
lambda m: '_'.join([i.lower() for i in m.groups() if i]),
s)
如果你愿意,这显然可以针对 tiny 位的速度进行优化。
import re
CC2US_RE = re.compile(r'(^|[a-z])([A-Z])')
def _replace(match):
return '_'.join([i.lower() for i in match.groups() if i])
def camelcase_to_underscores(s):
return CC2US_RE.sub(_replace, s)
答案 28 :(得分:-1)
def convert(camel_str):
temp_list = []
for letter in camel_str:
if letter.islower():
temp_list.append(letter)
else:
temp_list.append('_')
temp_list.append(letter)
result = "".join(temp_list)
return result.lower()
答案 29 :(得分:-3)
使用:str.capitalize()
将字符串的第一个字母(包含在变量str中)转换为大写字母并返回整个字符串。
实施例: 命令:&#34;你好&#34; .capitalize() 输出:你好