Python-day-05作业(列表)
2018-07-21 本文已影响0人
sawyerwh
1.已知一个列表,求列表中心元素
list1 = [1,24,56,7,8,9,0,45]
if len(list1) == 0:
print('该列表无元素')
elif len(list1) % 2:
print('中心元素有1个')
index = int(len(list1)//2)
print('是:%d'%(list1[index]))
else :
print('中心元素有2个')
index1 = int(len(list1)//2-1)
index2 = int(len(list1)//2)
print('分别是:%d 和 %d'%(list1[index1],list1[index2]))
运行结果:
中心元素有2个
分别是:7 和 8
2.已知一个列表,求所有元素和。
list1 = [2,3,5,1,6,7,8,9,0]
sum1 = 0
for item in list1:
sum1 += item
print(sum1)
运行结果:
41
3.已知一个列表,输出所有奇数下标元素。
(1).
list1 = [1,2,3,4,5,6,7,8,9]
for x in range(0,len(list1)):
if x % 2 :
print(list1[x])
运行结果:
2
4
6
8
(2).
list1 = [1,2,3,4,5,6,7,8,9]
print(list1[1::2])
运行结果:
[2, 4, 6, 8]
4.已知一个列表,输出所有元素中,值为奇数的。
list1 = [2,3,5,7,8,9,23,56,87,13]
for item in list1:
if int(item) % 2:
print(item)
运行结果:
3
5
7
9
23
87
13
5.已知一个列表,将所有元素乘二。
list1 = [2,3,4,5,6,7]
for item in list1:
item *= 2
print(item)
运行结果:
4
6
8
10
12
14
6.已知一个列表,将所有元素加到第一个元素中。
list1 = [33,44,6,7,'sas','efw',244]
list2 = []
a = 0
j = ""
for i in list1:
j += str(i)
a += 1
if a == len(list1):
list2.append(j)
print(list2)
运行结果:
['334467sasefw244']
7.已知一个列表A,将奇数位置元素存到B列表中,偶数元素存到C列表中。
list_A = [12,434,66,7,8,'asf',11,57,'25sd']
list_B = []
list_C = []
list_B = list_A[1::2]
list_C = list_A[0::2]
print(list_B,list_C)
运行结果:
[434, 7, 'asf', 57] [12, 66, 8, 11, '25sd']
8.把A列表的前5个元素复制到B列表中。
list_A = [1,3,4,6,7,8,9]
list_B = []
list_B = list_A[0:5]
print(list_B)
运行结果:
[1, 3, 4, 6, 7]
9.把1----36分别放入列表中,计算列表数组对角元素之和。6 * 6的列表
list1 = [
[1, 2, 3, 4, 5, 6, ],
[7, 8, 9, 10, 11, 12,],
[13, 14, 15, 16, 17, 18,],
[19, 20, 21, 22, 23, 24,],
[25, 26, 27, 28, 29, 30,],
[31, 32, 33, 34, 35, 36]]
n = 6
sum1 = 0
sum2 = 0
for x in range(len(list1)):
sum1 += list1[x][x]
sum2 += list1[x][n-x-1]
print(sum1+sum2)
10.有一个长度是10的列表,列表内有10个不重复的数字,要求按从大到小排序。
list1 = [1,2,3,4,5,6,7,8,9,0,]
list1.sort(reverse = True)
print(list1)
运行结果:
[9, 8, 7, 6, 5, 4, 3, 2, 1, 0]
11.有一个长度是10的列表,要求删除某一个位置的元素
x = 6
list1 = [1,2,3,4,5,6,7,8,9,0,]
del list1[x]
print(list1)
运行结果:
[1, 2, 3, 4, 5, 6, 8, 9, 0]
12.有一个长度是10的列表,按递增排列,用户输入一个数,插入适当位置。
list1 = [1,2,3,4,5,6,7,8,9,0,]
value = int(input('请输入你的数字:'))
list1.insert(x, value)
list1.sort(reverse = False)
print(list1)
运行结果:
请输入你的数字:45
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 45]
13.有一个长度是10的列表,数组内有10个人名,要求去掉重复的
list1 = ['amy','sawyer','taylor','iris','tom','anne','taylor','sawyer','crisetyna','sawyer','irabey']
for item in list1[:]:
if list1.count(item) >=2:
list1.remove(item)
print(list1)
运行结果:
['amy', 'iris', 'tom', 'anne', 'taylor', 'crisetyna', 'sawyer', 'irabey']
14.把A列表的第三到第六位之间的元素删除。
list_A = [1,3,4,6,7,8,9]
del list_A[3:5:1]
print(list_A)
运行结果:
[1, 3, 4, 8, 9]
15.已知A列表,B列表,定义一个列表C,要求C包含A,B数组中的数据(无重复值)。
list_A = [12,4,65,'aa',34,65,4]
list_B = ['bb',34,5,77,88,5]
list_C = list_A + list_B
for item in list_C[:]:
if list_C.count(item) >=2:
list_C.remove(item)
print(list_C)
运行结果:
[12, 'aa', 65, 4, 'bb', 34, 77, 88, 5]