本文介绍了正则表达式删除重复的字母但不是数字的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
删除相邻重复字母而不是数字的合适正则表达式是什么?
What is the appropriate regex to remove adjacent duplicate letters but not numbers?
例如:
p11ppppl --> p11pl
我有以下正则表达式:
/[^\w\s]|(.)(?=\1)/g
但这也会替换重复的数字.
but this also replaces duplicate numbers.
推荐答案
我会这样做(可视化 这里):
I would do it like this (visualized here):
/([a-zA-Z])(?=\1)/g
这是一个 Python 示例:
Here's an example in Python:
In [21]: re.sub(r'([a-zA-Z])(?=\1)', '', 'p11ppppl')
Out[21]: 'p11pl'
您也可以使用:
/([\D])(?=\1)/g
对于除数字以外的所有内容,或:
for everything except digits, or:
/([\w])(?=\1)/g
对于所有单词字符".
正如评论中提到的@Casimir et Hippolyte,我们也可以使用:
As @Casimir et Hippolyte mentioned in the comments, we can also use:
/([a-zA-Z])\1+/g
用 \1
作为替换字符串,这可能是一个更好的方法.
with \1
as the replacement string, which may be a better approach.
这篇关于正则表达式删除重复的字母但不是数字的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!