sort函數(shù)
原地排序,直接改變輸入的列表,而無返回值。
x = [2, 1, 3]
x.sort()
print x
# output: [1, 2, 3]
print x.sort()
# output: None
若要實(shí)現(xiàn)賦值,則先把x的副本(一個(gè)新對(duì)象)賦值給一個(gè)變量,再排序,這樣可以保證不改變x。
x = [2, 1, 3]
y = x[:] # 或 y = list(x)
y.sort()
print x
# output: [2, 1, 3]
print y
# output: [1, 2, 3]
若直接賦值,不新建對(duì)象,實(shí)際上傳遞的是x的地址,x和y最后會(huì)指向同一對(duì)象,導(dǎo)致x和y都改變。
x = [2, 1, 3]
y = x
y.sort()
print x
# output: [1, 2, 3]
print y
# output: [1, 2, 3]
sort函數(shù)的關(guān)鍵字參數(shù)
- cmp: 可以自定義比較參數(shù)。cmp(x,y)在x小于y時(shí)返回負(fù)數(shù),在x大于y時(shí)返回正數(shù),在x等于y時(shí)返回0。
print cmp(1, 2)
# output: -1
print cmp(1, 1)
# output: 0
print cmp(2, 1)
# output: 1
x = [2, 1, 3]
x.sort(cmp)
print x
# output: [1, 2, 3]
x = ['aaa', 'a', 'aa']
x.sort(key=len)
print x
# output: ['a', 'aa', 'aaa']
- reverse: 表明列表是否要進(jìn)行反向排序。
x = [2, 1, 3]
x.sort(reverse=True)
print x
# output: [3, 2, 1]
sorted函數(shù)
sorted函數(shù)能實(shí)現(xiàn)上述不改變待排列表,并返回排序副本的需求。
x = [2, 1, 3]
y = sorted(x)
print x
# output: [2, 1, 3]
print y
# output: [1, 2, 3]