Python代码阅读(第23篇):将变量名称转换为短横线连接式命名风格

Python40

本篇阅读的代码实现将变量名称转换为短横线连接式命名风格( kebab case)的功能。

kebab

from re import sub

def kebab(s):
  return '-'.join(
    sub(r"(\s|_|-)+"," ",
    sub(r"[A-Z]{2,}(?=[A-Z][a-z]+[0-9]*|\b)|[A-Z]?[a-z]+[0-9]*|[A-Z]|[0-9]+",
    lambda mo: ' ' + mo.group(0).lower(), s)).split())

# EXAMPLES
kebab('camelCase') # 'camel-case'
kebab('some text') # 'some-text'
kebab('some-mixed_string With spaces_underscores-and-hyphens') # 'some-mixed-string-with-spaces-underscores-and-hyphens'
kebab('AllThe-small Things') # "all-the-small-things"

函数最内层的 re.sub(pattern, repl, string, count=0, flags=0)函数使用正则表达式将字符串中的单词匹配出来。然后使用 repl函数 lambda mo: ' ' + mo.group(0).lower()来处理匹配到的单词,将单词用空格分开,并转换成小写。 repl函数将匹配信息作为 mo传入函数, mo.group(0)返回匹配到的字符串。

第二层 sub函数将各种空白字符、下划线以及短横线都先统一替换成空格。然后再将字符串根据空格分割成单词。

最后函数将分割出来的单词使用短横线 '-'连接起来,即可得到 kebab case风格的命名字符串。

Original: https://www.cnblogs.com/felixz/p/15465536.html
Author: FelixZ
Title: Python代码阅读(第23篇):将变量名称转换为短横线连接式命名风格