由于某种原因,程序会打印出重复项,但不是全部。
例如,如果list1 = 'test'
和list2 = 'test'
打印['t','e','s']
dublicates = []
x = input('type something : ')
y = input('type something again : ')
list1 = list(x)
list2 = list(y)
for i in list2:
if i not in dublicates:
dublicates.append(i)
print (dublicates)
end = input('press enter to exit')
答案 0 :(得分:2)
您的初始逻辑不起作用,因为当它到达最后一个字符t
时,它已经存在于duplicates
列表中,因此if i not in duplicates:
被求值为False
并且最后一个t
未添加到duplicates
列表中
对于重复逻辑,您应该检查x
中是否存在y
中的字符,如果存在,请将其添加到duplicates
列表中,不需要将string
转换为list
,而是可以直接迭代字符
duplicates = []
x = input('type something : ')
y = input('type something again : ')
#Iterate through x
for i in x:
#For every character in x, check if it present in y
if i in y:
duplicates.append(i)
print(duplicates)
end = input('press enter to exit')
输出将为
type something : test
type something again : test
['t', 'e', 's', 't']
press enter to exit
获得重复项的类似列表理解方法将是
duplicates = [ i for i in x if i in y]