三寸日光 发表于 2022-2-18 14:49:06

range方法在Python2和Python3中的不同

range()方法是Python中常用的方法, 但是在Python2和Python3中使用方法不同,下面看下它们的不同使用方法。range方法详解范围(开始、停止[、步进])range是python中的其中一个内置函数作用:可创建一个整数列表。一般用在 for 循环中。参数说明:start:起点,一般和stop搭配使用,既生成从start开始到stop结束(不包括stop)范围内的整数,例如:range(1,10),会生成stop:终点,可以和start搭配使用,也可以单独使用,既当start=0时,例如range(5) = range(0, 5)step:步长,既下一次生成的数和这次生成的数的差,例如range(1, 10, 2) 生成,再如range(1,10,3) 生成代码示例:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
Python 3.7.2 (default, Feb 12 2019, 08:15:36)
on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> for i in range(1,10, 1):
...   print(i)
...
1
2
3
4
5
6
7
8
9
>>>


使用区别在python2中,range方法得到的结果就是一个确定的列表对象,列表对象所拥有的方法,range方法生成的结果对象都可以直接使用,而在python3中,range方法得到的对象是一个迭代器而不是一个确定的列表,如果想要转化为列表对象则需要再使用list方法进行转化。for i in range(start, stop)在python2和python3中都可使用代码实例:Python3
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
Python 3.7.2 (default, Feb 12 2019, 08:15:36)
on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> for i in range(1,10, 1):
...   print(i)
...
1
2
3
4
5
6
7
8
9
>>>


Python2:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
Python 2.7.10 (default, Aug 17 2018, 19:45:58)
on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> for i in range(1,10, 1):
...   print(i)
...
1
2
3
4
5
6
7
8
9
>>>



Python2直接生成列表,Python3需要配合列表方法使用Python3:
1
2
3
4
5
6
7
8
9
10
11
12
Python 3.7.2 (default, Feb 12 2019, 08:15:36)
on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> l = range(1, 10)
>>> l
range(1, 10)
>>> type(l)
<class 'range'>
>>> l2 = list(l)
>>> l2

>>>


Python2:
1
2
3
4
5
6
7
Python 2.7.10 (default, Aug 17 2018, 19:45:58)
on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> l = range(1, 10)
>>> l

>>>



Python3中range()方法生成的已经不是一个列表, 而是一个range的迭代器
页: [1]
查看完整版本: range方法在Python2和Python3中的不同