0

假设我有这个字符串:

myString="'Hello'+yes+'Whats hello'6"

我正在寻找一种方法来删除引号中的所有内容

所以,它会变成:

"+yes+"

因为,'Hello' 和 'Whats hello' 用引号括起来。6是一个数字。

有没有办法做到这一点?也许使用正则表达式?我尝试使用 For 循环来执行此操作,但我想我的逻辑不是那么好。

4

1 回答 1

6
Python 2.7.2 (default, Aug 19 2011, 20:41:43) [GCC] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> import re
>>> re.sub(r"('[^']*'|\d)", "", "'Hello'+yes+'Whats hello'6")
'+yes+'
>>>

(...|...)匹配一件事或另一件事;'[^']*'匹配除引号内的引号以外的任何内容;\d匹配数字。 re.sub(pattern, replacement, string)用替换替换每个模式实例。

ps请注意,'结果中的只是python在字符串周围加上引号!(您可以在 python 中使用单引号或双引号;如果字符串本身不包含任何字符串,python 在打印字符串时更喜欢单引号)。

更新- 这是你想要的吗?

>>> import re
>>> re.sub(r"('[^']*'|(?<![a-zA-Z])\d(?![a-zA-Z]))", "", "'Hello'+yes+'Whats hello'6")
'+yes+'
>>> re.sub(r"('[^']*'|(?<![a-zA-Z])\d(?![a-zA-Z]))", "", "+ye5s")
'+ye5s'
于 2012-05-17T01:44:47.720 回答