函数原型:range(start, stop, step)
这里的start和step都是可以缺省的,start缺省状态下默认取值为0,step缺省状态下默认取值为1
几种常见的用法:print(list(range(0,5))
输出为 [0,1,2,3,4]
print(list(range(5))
输出为[0,1,2,3,4]
这里的range()函数所返回的对象在python3中并不是list类型的,也不继承list类型。
python3中的range()等于python2中的xrange(),它其实是一个生成器,每次取值后生成下一个值,目的是节约内存和运算资源。
如果想得到list,则需强制转换。
leetcode题目数组中重复的数字(剑指offer03)
下面的代码段中range(1,n)即代表大于等于1小于n的所有整数,左闭右开的范围,这里步长默认为1
def findRepeatNumber(nums: List[int]) -> int:
nums.sort()
pre = nums[0]
n = len(nums)
for index in range(1,n):
if pre == nums[index]:
return pre
pre = nums[index]