python 循环的几种方式和实现
时间: 2024-05-14 07:18:10 浏览: 181
python循环方法总结
在 Python 中,循环有以下几种方式和实现:
1. for 循环:for 循环可以遍历任何序列的项目,例如一个列表或者一个字符串。语法如下:
```
for 变量 in 序列:
循环体语句
```
示例:
```python
fruits = ["apple", "banana", "cherry"]
for fruit in fruits:
print(fruit)
```
输出:
```
apple
banana
cherry
```
2. while 循环:while 循环在指定条件为真时循环执行代码,语法如下:
```
while 条件:
循环体语句
```
示例:
```python
i = 1
while i < 6:
print(i)
i += 1
```
输出:
```
1
2
3
4
5
```
3. range() 函数:range() 函数可用于创建一个数字序列,常用于 for 循环中。语法如下:
```
range(start, stop[, step])
```
其中,start 是起始数字,stop 是结束数字(不包含),step 是步长(默认为 1)。
示例:
```python
for i in range(3):
print(i)
```
输出:
```
0
1
2
```
```python
for i in range(2, 5):
print(i)
```
输出:
```
2
3
4
```
```python
for i in range(0, 10, 2):
print(i)
```
输出:
```
0
2
4
6
8
```
以上是 Python 中循环的几种方式和实现。
阅读全文