0

谁知道,在将代码点拆分为代理对时是否可以禁止正则表达式。

请参见以下示例:

现在怎么样了:

$ te = u'\U0001f600\U0001f600'
$ flags1 = regex.findall(".", te, re.UNICODE)
$ flags1
>>> [u'\ud83d', u'\ude00', u'\ud83d', u'\ude00']

我的希望:

$ te = u'\U0001f600\U0001f600'
$ flags1 = regex.findall(".", te, re.UNICODE)
$ flags1
>>> [u'\U0001f600', u'\U0001f600']

为什么我真的需要它,因为我想遍历 unicode 字符串并让每次迭代下一个 unicode 字符。

参见示例:

for char in  regex.findall(".", te, re.UNICODE):
   print char

提前谢谢你=)

4

1 回答 1

0

使用匹配代理对或任何内容的正则表达式。这将适用于 Python 2 的宽版本和窄版本,但在宽版本中不需要,因为它不使用代理对。

Python 2.7.14 (v2.7.14:84471935ed, Sep 16 2017, 20:19:30) [MSC v.1500 32 bit (Intel)] on win32
Type "help", "copyright", "credits" or "license" for more information.
>>> import re
>>> te = u'A\u5200\U0001f600\U0001f601\u5100Z'
>>> print re.findall(ur'[\ud800-\udbff][\udc00-\udfff]|.', te, re.UNICODE)
[u'A', u'\u5200', u'\U0001f600', u'\U0001f601', u'\u5100', u'Z']

这在最新的 Python 3 中仍然有效,但也不需要,因为 Unicode 字符串中不再使用代理对(不再使用宽或窄构建):

Python 3.7.0 (v3.7.0:1bf9cc5093, Jun 27 2018, 04:59:51) [MSC v.1914 64 bit (AMD64)] on win32
Type "help", "copyright", "credits" or "license" for more information.
>>> import re
>>> te = u'A\u5200\U0001f600\U0001f601\u5100Z'
>>> print(re.findall(r'[\ud800-\udbff][\udc00-\udfff]|.', te))
['A', '刀', '', '', '儀', 'Z']

没有代理匹配的工作:

>>> print(re.findall(r'.', te))
['A', '刀', '', '', '儀', 'Z']

然后你可以在 Python 3 中正常迭代:

>>> for c in te:
...     print(c)
...
A
刀


儀
Z

请注意,字素仍然存在问题(表示单个字符的 Unicode 代码点组合。这是一个不好的情况

>>> s = '‍‍‍'
>>> for c in s:
...     print(c)
...     


‍


‍


‍


regex3rd 方模块可以匹配字素:

>>> import regex
>>> s = '‍‍‍'
>>> for c in regex.findall('\X',s):
...     print(c)
...     
‍‍‍
于 2018-08-17T06:00:45.193 回答