Python 代码浏览合集介绍:为什么不举荐 Python 初学者间接看我的项目源码
本篇浏览的代码实现将变量名称转换为驼峰模式。
本篇浏览的代码片段来自于 30-seconds-of-python。
camel
from re import sub
def camel(s):
s = sub(r"(_|-)+", "", s).title().replace(" ","")
return s[0].lower() + s[1:]
# EXAMPLES
camel('some_database_field_name') # 'someDatabaseFieldName'
camel('Some label that needs to be camelized') # 'someLabelThatNeedsToBeCamelized'
camel('some-javascript-property') # 'someJavascriptProperty'
camel('some-mixed_string with spaces_underscores-and-hyphens') # 'someMixedStringWithSpacesUnderscoresAndHyphens'
camel
函数接管一个字符串模式的变量名,并将其转化成驼峰模式。和之前的两个转换函数相似,该函数思考的是变量模式的字符串,单词与单词之间有相干分隔,并不是间接间断的单词,如somefunctionname
。
函数先应用 re.sub
函数将字符串中符号模式的分隔符替换成空格模式。而后应用 str.title()
将单词的首字母转换为大写。再应用 str.replace
函数将所有的空格去除,将所有单词连接起来。最初函数返回的时候,将字符串的首字母变为小写。s[1:]
提取字符串从下标 1
开始到结尾的切片。