提问人:mounica gvs 提问时间:8/8/2023 最后编辑:James Zmounica gvs 更新时间:8/9/2023 访问量:54
我需要删除字符串中带有重复字母的元素
I need to remove the elements with repeated letters in the string
问:
String1 = “Python is an interpreted high level general purpose programming language”
List1 = String1.split()
for i in List1:
for j in i:
if i.count(j)>1:
List1.remove(i)
break
print(“ “.join(List1))
输出:
Python 是一种高级通用编程
预期输出:
Python 是一个
让我知道我犯的错误
答:
0赞
Joe john
8/8/2023
#1
试试这段代码
String1 = "Python is an interpreted high level general purpose programming language"
List1 = String1.split()
ResultList = []
for i in List1:
has_repeated_letter = False
for j in i:
if i.count(j) > 1:
has_repeated_letter = True
break
if not has_repeated_letter:
ResultList.append(i)
print(" ".join(ResultList))
0赞
Tim Biegeleisen
8/8/2023
#2
使用正则表达式方法:
inp = "Python is an interpreted high level general purpose programming language"
words = inp.split()
output = [x for x in words if not re.search(r'(\w)(?=.*\1)', x)]
print(output) # ['Python', 'is', 'an']
此处使用的正则表达式模式将匹配任何字符出现两次或两次以上的任何单词:
(\w)
匹配任何单个字母并捕获\1
(?=.*\1)
断言相同的字符出现在单词的后面
0赞
user2390182
8/8/2023
#3
一个问题是在迭代列表时从列表中删除。使用您想要的元素重建列表几乎总是更有用:
List1 = [i for i in List1 if len(i) == len(set(i))]
# ['Python', 'is', 'an']
将字符串转换为集合可删除重复的字母。因此,与原始字符串的长度比较。您只保留那些只有唯一字母的字母。
下一个:根据条件将列表分解为嵌套列表
评论