python多維列表
A. 想問下python中 多維列表和一維列表之間怎麼判斷呢
如果是每個都要檢查並返回可以參考下面這個結構
B. python大神你好,請問二維列表參照一維列表排序的問題。
list1.sort(key=lambda x: list2.index(x[1]))
C. python 在二維列表中查找出包含指定值的子列表
如果 list 存儲了若干復雜結構的值,比如這樣的一個列表:
temp = [('a', 1, 1.5),
('b', 2, 5.1),
('c', 9, 4.3)]
你想找到其中是 ('b', XX, XX) 這樣的元素,其中 XX 可以為任意值。這種情況無法通過 index 函數來獲得,我們可以利用 sort 的 key 參數來實現。
list.sort(或者 sorted 函數)有一個 key 參數,你可以提供一個函數來作為排序的依據。此時我們可以傳入以下值:
temp.sort(key = lambda x:x[0]!='b')
隨後我們會發現,所有形如 ('b', XX, XX) 的元素全部浮動到了列表的頭部,此時我們訪問 temp[0] 就可以獲得想要查找的值了。
我們也可以寫一個簡單的函數:
findindex = lambda self,i,value:sorted(self,key=lambda x:x[i]!=value)[0]
那我們只需要這樣調用:
>>> findindex(temp,0,'b')
就會返回它找到的第一個值:
>>> ('b',2)
D. python 使用嵌套的for循環創建二維列表
因為你一開始的arr只是一個一維列表[],所以第一個循環其實是為第二個循環准備需要用到的空列表,你要是append(x)的話相當於arr在第一層第一個循環後變成[0],然後在第二層的循環里arr[x]=arr[0]=0就是一個數,沒辦法append
E. python如何將多維字典每個鍵的值轉換成多維列表
定義一個遞歸函數就行了,下面是一個例子:
def get(d):
l=[]
for k,v in d.items():
if isinstance(v,dict):
l.append(get(v))
else:
l.append(v)
return l
d={"1":"2","a":{"b":{"c":"1"}},"b":"c"}
l=get(d)
print(l)
這是運行截圖:
F. python生成器是怎麼使用的
生成器(generator)概念
生成器不會把結果保存在一個系列中,而是保存生成器的狀態,在每次進行迭代時返回一個值,直到遇到StopIteration異常結束。
生成器語法
生成器表達式: 通列表解析語法,只不過把列表解析的[]換成()
生成器表達式能做的事情列表解析基本都能處理,只不過在需要處理的序列比較大時,列表解析比較費內存。
Python
1
2
3
4
5
6
7
8
9
10
11
>>> gen = (x**2 for x in range(5))
>>> gen
<generator object <genexpr> at 0x0000000002FB7B40>
>>> for g in gen:
... print(g, end='-')
...
0-1-4-9-16-
>>> for x in [0,1,2,3,4,5]:
... print(x, end='-')
...
0-1-2-3-4-5-
生成器函數: 在函數中如果出現了yield關鍵字,那麼該函數就不再是普通函數,而是生成器函數。
但是生成器函數可以生產一個無線的序列,這樣列表根本沒有辦法進行處理。
yield 的作用就是把一個函數變成一個 generator,帶有 yield 的函數不再是一個普通函數,Python 解釋器會將其視為一個 generator。
下面為一個可以無窮生產奇數的生成器函數。
Python
1
2
3
4
5
6
7
8
9
10
11
def odd():
n=1
while True:
yield n
n+=2
odd_num = odd()
count = 0
for o in odd_num:
if count >=5: break
print(o)
count +=1
當然通過手動編寫迭代器可以實現類似的效果,只不過生成器更加直觀易懂
Python
1
2
3
4
5
6
7
8
9
10
11
class Iter:
def __init__(self):
self.start=-1
def __iter__(self):
return self
def __next__(self):
self.start +=2
return self.start
I = Iter()
for count in range(5):
print(next(I))
題外話: 生成器是包含有__iter()和next__()方法的,所以可以直接使用for來迭代,而沒有包含StopIteration的自編Iter來只能通過手動循環來迭代。
Python
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
>>> from collections import Iterable
>>> from collections import Iterator
>>> isinstance(odd_num, Iterable)
True
>>> isinstance(odd_num, Iterator)
True
>>> iter(odd_num) is odd_num
True
>>> help(odd_num)
Help on generator object:
odd = class generator(object)
| Methods defined here:
|
| __iter__(self, /)
| Implement iter(self).
|
| __next__(self, /)
| Implement next(self).
......
看到上面的結果,現在你可以很有信心的按照Iterator的方式進行循環了吧!
在 for 循環執行時,每次循環都會執行 fab 函數內部的代碼,執行到 yield b 時,fab 函數就返回一個迭代值,下次迭代時,代碼從 yield b 的下一條語句繼續執行,而函數的本地變數看起來和上次中斷執行前是完全一樣的,於是函數繼續執行,直到再次遇到 yield。看起來就好像一個函數在正常執行的過程中被 yield 中斷了數次,每次中斷都會通過 yield 返回當前的迭代值。
yield 與 return
在一個生成器中,如果沒有return,則默認執行到函數完畢時返回StopIteration;
Python
1
2
3
4
5
6
7
8
9
10
11
>>> def g1():
... yield 1
...
>>> g=g1()
>>> next(g) #第一次調用next(g)時,會在執行完yield語句後掛起,所以此時程序並沒有執行結束。
1
>>> next(g) #程序試圖從yield語句的下一條語句開始執行,發現已經到了結尾,所以拋出StopIteration異常。
Traceback (most recent call last):
File "<stdin>", line 1, in <mole>
StopIteration
>>>
如果遇到return,如果在執行過程中 return,則直接拋出 StopIteration 終止迭代。
Python
1
2
3
4
5
6
7
8
9
10
11
12
>>> def g2():
... yield 'a'
... return
... yield 'b'
...
>>> g=g2()
>>> next(g) #程序停留在執行完yield 'a'語句後的位置。
'a'
>>> next(g) #程序發現下一條語句是return,所以拋出StopIteration異常,這樣yield 'b'語句永遠也不會執行。
Traceback (most recent call last):
File "<stdin>", line 1, in <mole>
StopIteration
如果在return後返回一個值,那麼這個值為StopIteration異常的說明,不是程序的返回值。
生成器沒有辦法使用return來返回值。
Python
1
2
3
4
5
6
7
8
9
10
11
>>> def g3():
... yield 'hello'
... return 'world'
...
>>> g=g3()
>>> next(g)
'hello'
>>> next(g)
Traceback (most recent call last):
File "<stdin>", line 1, in <mole>
StopIteration: world
生成器支持的方法
Python
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
>>> help(odd_num)
Help on generator object:
odd = class generator(object)
| Methods defined here:
......
| close(...)
| close() -> raise GeneratorExit inside generator.
|
| send(...)
| send(arg) -> send 'arg' into generator,
| return next yielded value or raise StopIteration.
|
| throw(...)
| throw(typ[,val[,tb]]) -> raise exception in generator,
| return next yielded value or raise StopIteration.
......
close()
手動關閉生成器函數,後面的調用會直接返回StopIteration異常。
Python
1
2
3
4
5
6
7
8
9
10
11
12
13
>>> def g4():
... yield 1
... yield 2
... yield 3
...
>>> g=g4()
>>> next(g)
1
>>> g.close()
>>> next(g) #關閉後,yield 2和yield 3語句將不再起作用
Traceback (most recent call last):
File "<stdin>", line 1, in <mole>
StopIteration
send()
生成器函數最大的特點是可以接受外部傳入的一個變數,並根據變數內容計算結果後返回。
這是生成器函數最難理解的地方,也是最重要的地方,實現後面我會講到的協程就全靠它了。
Python
1
2
3
4
5
6
7
8
9
10
11
12
13
def gen():
value=0
while True:
receive=yield value
if receive=='e':
break
value = 'got: %s' % receive
g=gen()
print(g.send(None))
print(g.send('aaa'))
print(g.send(3))
print(g.send('e'))
執行流程:
通過g.send(None)或者next(g)可以啟動生成器函數,並執行到第一個yield語句結束的位置。此時,執行完了yield語句,但是沒有給receive賦值。yield value會輸出初始值0注意:在啟動生成器函數時只能send(None),如果試圖輸入其它的值都會得到錯誤提示信息。
通過g.send(『aaa』),會傳入aaa,並賦值給receive,然後計算出value的值,並回到while頭部,執行yield value語句有停止。此時yield value會輸出」got: aaa」,然後掛起。
通過g.send(3),會重復第2步,最後輸出結果為」got: 3″
當我們g.send(『e』)時,程序會執行break然後推出循環,最後整個函數執行完畢,所以會得到StopIteration異常。
最後的執行結果如下:
Python
1
2
3
4
5
6
7
0
got: aaa
got: 3
Traceback (most recent call last):
File "h.py", line 14, in <mole>
print(g.send('e'))
StopIteration
throw()
用來向生成器函數送入一個異常,可以結束系統定義的異常,或者自定義的異常。
throw()後直接跑出異常並結束程序,或者消耗掉一個yield,或者在沒有下一個yield的時候直接進行到程序的結尾。
Python
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
def gen():
while True:
try:
yield 'normal value'
yield 'normal value 2'
print('here')
except ValueError:
print('we got ValueError here')
except TypeError:
break
g=gen()
print(next(g))
print(g.throw(ValueError))
print(next(g))
print(g.throw(TypeError))
輸出結果為:
Python
1
2
3
4
5
6
7
8
normal value
we got ValueError here
normal value
normal value 2
Traceback (most recent call last):
File "h.py", line 15, in <mole>
print(g.throw(TypeError))
StopIteration
解釋:
print(next(g)):會輸出normal value,並停留在yield 『normal value 2』之前。
由於執行了g.throw(ValueError),所以會跳過所有後續的try語句,也就是說yield 『normal value 2』不會被執行,然後進入到except語句,列印出we got ValueError here。然後再次進入到while語句部分,消耗一個yield,所以會輸出normal value。
print(next(g)),會執行yield 『normal value 2』語句,並停留在執行完該語句後的位置。
g.throw(TypeError):會跳出try語句,從而print(『here』)不會被執行,然後執行break語句,跳出while循環,然後到達程序結尾,所以跑出StopIteration異常。
下面給出一個綜合例子,用來把一個多維列表展開,或者說扁平化多維列表)
Python
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
def flatten(nested):
try:
#如果是字元串,那麼手動拋出TypeError。
if isinstance(nested, str):
raise TypeError
for sublist in nested:
#yield flatten(sublist)
for element in flatten(sublist):
#yield element
print('got:', element)
except TypeError:
#print('here')
yield nested
L=['aaadf',[1,2,3],2,4,[5,[6,[8,[9]],'ddf'],7]]
for num in flatten(L):
print(num)
如果理解起來有點困難,那麼把print語句的注釋打開在進行查看就比較明了了。
總結
按照鴨子模型理論,生成器就是一種迭代器,可以使用for進行迭代。
第一次執行next(generator)時,會執行完yield語句後程序進行掛起,所有的參數和狀態會進行保存。再一次執行next(generator)時,會從掛起的狀態開始往後執行。在遇到程序的結尾或者遇到StopIteration時,循環結束。
可以通過generator.send(arg)來傳入參數,這是協程模型。
可以通過generator.throw(exception)來傳入一個異常。throw語句會消耗掉一個yield。可以通過generator.close()來手動關閉生成器。
next()等價於send(None)
G. python中二維列表取值
為了便於你理解,我寫了這樣的代碼,主要工作是使用循環條件遍歷二維列表,然後取出我們想要的內容,比如你說的b。以下是代碼,你參考下:
至少python3.6環境
#以下代碼至少運行於python3.6
#定義函數
defgetArrayList(alist):
istr=input('請輸入要在二維列表中查找的內容:')
foriinrange(len(alist)):#遍歷alist,返回alist對象的項目數
forjinrange(len(alist[i])):#遍歷alist[i],返回alist[i]對象的項目數
ifalist[i][j]==str(istr):#判斷是否找到數據
#找到的話輸出
print('在二維列表'f"{alist}"'中找到alist'f"{[i,j]}:",alist[i][j])
returnTrue
print('沒找到相關數據!')
returnFalse
#定義程序主入口
if__name__=='__main__':
arraylist=[['a','b','c'],['d','e'],['f']]#初始化二維列表
getArrayList(arraylist)#調用函數
python3環境
#以下代碼運行於python3
#定義函數
defgetArrayList(alist):
istr=input('請輸入要在二維列表中查找的內容:')
foriinrange(len(alist)):#遍歷alist,返回alist對象的項目數
forjinrange(len(alist[i])):#遍歷alist[i],返回alist[i]對象的項目數
ifalist[i][j]==str(istr):#判斷是否找到數據
#找到的話輸出
print('在二維列表{}'.format(alist)+'中找到alist({},{})'.format(i,j)+':',alist[i][j])
returnTrue
print('沒找到相關數據!')
returnFalse
#定義程序主入口
if__name__=='__main__':
arraylist=[['a','b','c'],['d','e'],['f']]#初始化二維列表
getArrayList(arraylist)#調用函數
或,我們還可以這樣
python3環境
#以下代碼運行於python3
#定義函數
defgetArrayList(alist):
print(alist)#列印二維列表方便對比
i,j=0,1#初始化i,j
result=alist[i][j]#用二維索引的方式找出b
returnresult
#定義程序主入口
if__name__=='__main__':
arraylist=[['a','b','c'],['d','e'],['f']]#初始化二維列表
print('取出:',getArrayList(arraylist))#調用函數
使用切片是最方便的,其實還可以類似這樣:
result=alist[0:1][0:1] #取出子矩陣
註:你所提的這個問題,用到了數學,所以對數學了解的話,寫出來的代碼更簡潔。我給你寫的代碼你還可以更完善。
純手工,如果對你有幫助望採納!
H. python基礎題(選擇排序、二維列表)如何做,急求
from random import sample
data=sample(range(1,101),30)
arr=[data[x:x+6] for x in range(0,len(data),6)]
print('轉變為5*6的二維列表',arr,'
')
print('該二維列表每行最大值:',list(map(max,arr)),'
')
print('該二維列表每行最小值:',list(map(min,arr)),'
')
print('該二維列表每行平均值:',list(map(lambda x:sum(x)/len(x),arr)),'
')
print('大於平均值個數:',list(map(lambda x:len([y for y in x if y>sum(x)/len(x)]),arr)),'
')
print('小於平均值個數:',list(map(lambda x:len([y for y in x if y<sum(x)/len(x)]),arr)))
I. 如何在python中創建二維列表
Python中創建二維列表/數組,即創建一個list,並且這個list的元素還是list。可以用列表解析的方法實現。
創建例子如下:
2d_list=[[0forcolinrange(cols)]forrowinrange(rows)]
其中cols, rows變數替換為你需要的數值即可,例如:
2d_list=[[0forcolinrange(9)]forrowinrange(9)]
#9*9的二維列表