用python编写一个函数,接收列表作为参数,如果一个元素在列表中出现了不止一次,则返回True,但不要改变原来列表的值。同时编写调用这个函数和输出测试结果的程序
时间: 2024-02-20 16:00:07 浏览: 62
基于python 将列表作为参数传入函数时的测试与理解
5星 · 资源好评率100%
可以使用Python中的count()函数来判断一个元素在列表中出现的次数,代码如下:
```python
def check_duplicate(lst):
for item in lst:
if lst.count(item) > 1:
return True
return False
```
这个函数接收一个列表作为参数,遍历列表中的每一个元素,判断元素在列表中出现的次数是否大于1,如果是,则返回True,否则返回False。这个函数并不会改变原来列表的值。
下面是调用这个函数和输出测试结果的程序:
```python
lst = [1, 2, 3, 4, 5, 6]
print(check_duplicate(lst)) # False
lst = [1, 2, 3, 4, 5, 6, 1]
print(check_duplicate(lst)) # True
lst = ['apple', 'banana', 'orange', 'apple']
print(check_duplicate(lst)) # True
```
程序中首先定义了三个列表,分别用来测试函数的正确性。然后调用了check_duplicate()函数,并输出测试结果。可以看到,当列表中有重复元素时,函数返回True,否则返回False。
阅读全文