替换 python 中的 unicode 括号

Replacing unicode brackets in python

如何用 spaces 填充 unicode 括号?

当我尝试使用 re.sub 时,我得到 sre_constants.error:

>>> import re
>>> open_punct = ur'([{༺༼᚛‚„⁅⁽₍〈❨❪❬❮❰❲❴⟅⟦⟨⟪⟬⟮⦃⦅⦇⦉⦋⦍⦏⦑⦓⦕⦗⧘⧚⧼⸢⸤⸦⸨〈《「『【〔〖〘〚〝﴾︗︵︷︹︻︽︿﹁﹃﹇﹙﹛﹝([{⦅「'
>>> text = u'this is a weird ❴sentence ⟅with some crazy ⟦punctuations sprinkled⟨'
>>> re.sub(open_punct, ur' ', text)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "/usr/lib/python2.7/re.py", line 155, in sub
    return _compile(pattern, flags).sub(repl, string, count)
  File "/usr/lib/python2.7/re.py", line 251, in _compile
    raise error, v # invalid expression
sre_constants.error: unexpected end of regular expression

为什么会这样?为什么正则表达式有意外结束?

当我尝试使用 re.escape 时,它没有出现错误,但 re.sub 没有用 space:

填充标点符号
>>> re.sub(re.escape(open_punct), ur' ', text)
u'this is a weird \u2774sentence \u27c5with some crazy \u27e6punctuations sprinkled\u27e8'
>>> print re.sub(re.escape(open_punct), ur' ', text)
this is a weird ❴sentence ⟅with some crazy ⟦punctuations sprinkled⟨

我可以这样做,但我希望正则表达式解决方案应该比循环更优化:

>>> for p in open_punct:
...     text = text.replace(p, p+' ')
... 
>>> text
u'this is a weird \u2774 sentence \u27c5 with some crazy \u27e6 punctuations sprinkled\u27e8 '
>>> print text
this is a weird ❴ sentence ⟅ with some crazy ⟦ punctuations sprinkled⟨ 
>>> open_punct
u'([{\u0f3a\u0f3c\u169b\u201a\u201e\u2045\u207d\u208d\u2329\u2768\u276a\u276c\u276e\u2770\u2772\u2774\u27c5\u27e6\u27e8\u27ea\u27ec\u27ee\u2983\u2985\u2987\u2989\u298b\u298d\u298f\u2991\u2993\u2995\u2997\u29d8\u29da\u29fc\u2e22\u2e24\u2e26\u2e28\u3008\u300a\u300c\u300e\u3010\u3014\u3016\u3018\u301a\u301d\ufd3e\ufe17\ufe35\ufe37\ufe39\ufe3b\ufe3d\ufe3f\ufe41\ufe43\ufe47\ufe59\ufe5b\ufe5d\uff08\uff3b\uff5b\uff5f\uff62'
>>> print open_punct
([{༺༼᚛‚„⁅⁽₍〈❨❪❬❮❰❲❴⟅⟦⟨⟪⟬⟮⦃⦅⦇⦉⦋⦍⦏⦑⦓⦕⦗⧘⧚⧼⸢⸤⸦⸨〈《「『【〔〖〘〚〝﴾︗︵︷︹︻︽︿﹁﹃﹇﹙﹛﹝([{⦅「

相关问题:

[( 在正则表达式中有特殊含义,解析器正在寻找它们的 ]) 对应物。

如果你想让 open_punct 成为一个 字符组 ,你无论如何都要用 [..] 括起所有字符,此时([ 可以不转义地包含在内。您的 'expression' 仅匹配包含 所有这些字符 的文本。

由于您还希望引用捕获组 (</code>),因此添加括号:</p> <pre><code>>>> re.sub(u'([{}])'.format(open_punct), ur' ', text) u'this is a weird \u2774 sentence \u27c5 with some crazy \u27e6 punctuations sprinkled\u27e8 ' >>> print re.sub(u'([{}])'.format(open_punct), ur' ', text) this is a weird ❴ sentence ⟅ with some crazy ⟦ punctuations sprinkled⟨

请注意,使用 re.escape() 仍然是一个好主意,以防您有 -] 字符,或者您想要的组中有 \[group] 序列与之匹配。 - 定义一个字符序列(0-9 表示所有数字),] 组的结尾,以及 \d\w\s等,都定义了pre-defined个字符组:

re.sub(u'([{}])'.format(re.escape(open_punct)), ur' ', text)