1

我想在 python 中使用正则表达式解析和弦名称。下面的代码只匹配像 G#m 这样的和弦

chord_regex = "(?P<chord>[A-G])(?P<accidental>#|b)?(?P<additional>m?)"

我如何才能将和弦与形状 Gm# 匹配?是否可以更改上述正则表达式以匹配这些类型的和弦?

4

1 回答 1

2

您应该使用{m,n}语法来指定组m=0n=2匹配项(其中所述组是偶然的或附加的),如下所示:

>>> import re
>>> regex = "(?P<chord>[A-G])((?P<accidental>#|b)|(?P<additional>m)){0,2}"
>>> re.match(regex, "Gm").groupdict()
{'chord': 'G', 'additional': 'm', 'accidental': None}
>>> re.match(regex, "G").groupdict()
{'chord': 'G', 'additional': None, 'accidental': None}
>>> re.match(regex, "G#m").groupdict()
{'chord': 'G', 'additional': 'm', 'accidental': '#'}
>>> re.match(regex, "Gm#").groupdict()
{'chord': 'G', 'additional': 'm', 'accidental': '#'}
于 2013-03-11T00:03:38.367 回答