我正在尝试创建一个程序,该程序会将2个(用户)输入转换为列表,然后在列表中打印重复项

时间:2019-05-12 10:52:09

标签: python python-3.x

由于某种原因,程序会打印出重复项,但不是全部。 例如,如果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')

1 个答案:

答案 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]