我有一个.py
文件,它接受一个列表,找到最小的数字,将它放入一个新的数组,从第一个数组中删除最小的数字,然后重复直到原始数组返回不再包含的项目:
def qSort(lsort):
listlength = len(lsort)
sortedlist = list()
if listlength == 0:
return lsort
else:
while listlength > 0:
lmin = min(lsort)
sortedlist.append(lmin)
lsort.remove(lmin)
listlength = len(lsort)
return sortedlist
现在另一个.py
文件导入qSort
并在某个列表上运行它,将其保存到变量中。然后我尝试在列表中使用.reverse()
命令,最后我将其作为NoneType
。我尝试使用reversed()
,但它只是说"<listreverseiterator object at 0xSomeRandomHex>"
:
from qSort import qSort #refer to my first Pastebin
qSort = qSort([5,42,66,1,24,5234,62])
print qSort #this prints the sorted list
print type(qSort) #this prints <type 'list'>
print qSort.reverse() #this prints None
print reversed(qSort) #this prints "<listreverseiterator object at 0xSomeRandomHex>"
任何人都可以解释为什么我无论如何都无法改变名单?
答案 0 :(得分:29)
正如jcomeau所提到的,.reverse()
函数会更改列表。它不会返回列表,而是会更改qSort
。
如果你想“返回”反向列表,那么可以像你在你的例子中那样使用它,你可以做一个方向为-1的切片
所以用print qSort.reverse()
print qSort[::-1]
你应该知道切片,它有用的东西。我没有真正在教程中看到一次所有描述的地方,(http://docs.python.org/tutorial/introduction.html#lists并没有涵盖所有内容)所以希望这里有一些说明性的例子。
语法为:a[firstIndexInclusive:endIndexExclusive:Step]
>>> a = range(20)
>>> a
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19]
>>> a[7:] #seventh term and forward
[7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19]
>>> a[:11] #everything before the 11th term
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
>>> a[::2] # even indexed terms. 0th, 2nd, etc
[0, 2, 4, 6, 8, 10, 12, 14, 16, 18]
>>> a[4:17]
[4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16]
>>> a[4:17:2]
[4, 6, 8, 10, 12, 14, 16]
>>> a[::-1]
[19, 18, 17, 16, 15, 14, 13, 12, 11, 10, 9, 8, 7, 6, 5, 4, 3, 2, 1, 0]
>>> a[19:4:-5]
[19, 14, 9]
>>> a[1:4] = [100, 200, 300] #you can assign to slices too
>>> a
[0, 100, 200, 300, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19]
答案 1 :(得分:9)
list.reverse()就地反转并且不返回任何内容(None)。所以你不要说:
mylist = mylist.reverse()
你说:
mylist.reverse()
或者:
mylist = list(reversed(mylist))
答案 2 :(得分:5)
reverse()
list
方法对列表进行排序并返回None
以提醒您(根据documentation中的注释7)。内置的reversed()
函数返回一个迭代器对象,可以将其转换为list
对象,方法是将其传递给list()
构造函数,如下所示:{ {1}}。您可以通过创建一个步大小为负片的切片来完成相同的操作,使其向后移动,即list(reversed(qSort))
。
BTW,qSort[::-1]
也有list
方法(但要小心,它还会返回sort()
; - )。