python 如何判断列表中有没有一个数字
时间: 2024-09-28 15:14:55 浏览: 43
python3 判断列表是一个空列表的方法
5星 · 资源好评率100%
在Python中,你可以使用`in`关键字或者循环结构来判断一个列表(`list`)中是否存在某个数字。以下是两种常见的方式:
1. 使用`in`关键字:
```python
numbers_list = [1, 2, 3, 4, 5]
target_number = 3
if target_number in numbers_list:
print(f"Number {target_number} exists in the list.")
else:
print(f"Number {target_number} does not exist in the list.")
```
这段代码会直接告诉你目标数字是否在列表中。
2. 利用循环遍历:
```python
numbers_list = [1, 2, 3, 4, 5]
target_number = 6
found = False
for number in numbers_list:
if number == target_number:
found = True
break
if found:
print(f"Number {target_number} exists in the list.")
else:
print(f"Number {target_number} does not exist in the list.")
```
这种方法会逐个检查列表中的每个元素,直到找到目标数字或遍历完为止。
阅读全文