1. 使用输入值初始化列表
1
2
3
4
5
6
7
8
9
|
nums = []
rows = eval ( input ( "请输入行数:" ))
columns = eval ( input ( "请输入列数:" ))
for row in range (rows):
nums.append([])
for column in range (columns):
num = eval ( input ( "请输入数字:" ))
nums[row].append(num)
print (nums)
|
输出结果为:
请输入行数:3
请输入列数:3
请输入数字:1
请输入数字:2
请输入数字:3
请输入数字:4
请输入数字:5
请输入数字:6
请输入数字:7
请输入数字:8
请输入数字:9
[[1, 2, 3], [4, 5, 6], [7, 8, 9]]
2. 使用随机数初始化列表
1
2
3
4
5
6
7
8
9
10
11
|
import random
numsList = []
nums = random.randint( 0 , 9 )
rows = random.randint( 3 , 6 )
columns = random.randint( 3 , 6 )
for row in range (rows):
numsList.append([])
for column in range (columns):
num = random.randint( 0 , 9 )
numsList[row].append(num)
print (numsList)
|
输出结果为:
[[0, 0, 4, 0, 7], [4, 2, 9, 6, 4], [7, 9, 8, 1, 7], [1, 7, 7, 5, 7]]
3. 对所有的元素求和
1
2
3
4
5
6
|
nums = [[ 1 , 2 , 3 ], [ 4 , 5 , 6 ], [ 7 , 8 , 9 ], [ 3 , 4 , 7 ]]
total = 0
for i in nums:
for j in i:
total + = j
print (total)
|
输出结果为:
total = 59
4. 按列求和
1
2
3
4
5
6
7
|
nums = [[ 1 , 2 , 3 ], [ 4 , 5 , 6 ], [ 7 , 8 , 9 ], [ 3 , 4 , 7 ]]
total = 0
for column in range ( len (nums[ 0 ])):
# print("column = ",column)
for i in range ( len (nums)):
total + = nums[i][column]
print (total)
|
输出结果为:
15
34
59
5. 找出和 最大的行
1
2
3
4
5
6
7
8
9
|
nums = [[ 1 , 2 , 3 ], [ 4 , 5 , 6 ], [ 7 , 8 , 9 ], [ 3 , 4 , 7 ]]
maxRow = sum (nums[ 0 ])
indexOfMaxRow = 0
for row in range ( 1 , len (nums)):
if sum (nums[row]) > maxRow:
maxRow = sum (nums[row])
indexOfMaxRow = row
print ( "索引:" ,indexOfMaxRow)
print ( "最大的行:" ,maxRow)
|
输出结果为:
索引: 2
最大的行: 24
6. 打乱二维列表的所有元素
1
2
3
4
5
6
7
8
|
import random
nums = [[ 1 , 2 , 3 ], [ 4 , 5 , 6 ], [ 7 , 8 , 9 ], [ 3 , 4 , 7 ]]
for row in range ( len (nums)):
for column in range ( len (nums[row])):
i = random.randint( 0 , len (nums) - 1 )
j = random.randint( 0 , len (nums[row]) - 1 )
nums[row][column], nums[i][j] = nums[i][j], nums[row][column]
print (nums)
|
输出结果为:
[[3, 3, 5], [7, 6, 7], [4, 2, 4], [9, 8, 1]]
7. 排序
'''
sort方法,通过每一行的第一个元素进行排序。对于第一个元素相同的行,则通过它们的第二个元素进行排序。如果行中的第一个和第二个元素都相同,那么利用他们的第三个元素进行排序,依此类推'''
1
2
3
|
points = [[ 4 , 2 ], [ 1 , 7 ], [ 4 , 5 ], [ 1 , 2 ], [ 1 , 1 ], [ 4 , 1 ]]
points.sort()
print (points)
|
输出结果为:
[[1, 1], [1, 2], [1, 7], [4, 1], [4, 2], [4, 5]]
补充:下面给大家介绍下python 二维列表按列取元素。
直接切片是不行的:
1
2
3
|
>>> a = [[ 1 , 2 , 3 ], [ 4 , 5 , 6 ]]
>>> a[:, 0 ] # 尝试用数组的方法读取一列失败
TypeError: list indices must be integers or slices, not tuple
|
我们可以直接构造:
1
2
3
|
>>> b = [i[ 0 ] for i in a] # 从a中的每一行取第一个元素。
>>> print (b)
[ 1 , 4 ]
|
总结
以上所述是小编给大家介绍的python中的二维列表实例详解,希望对大家有所帮助,如果大家有任何疑问请给我留言,小编会及时回复大家的。在此也非常感谢大家对服务器之家网站的支持!
原文链接:https://blog.csdn.net/dimples_54/article/details/74885794