1.已知一个数字列表,求列表中心元素。
nums = [21, 312, 4143, 54, 56, 645, 2, 4, 3, 523, 55]
if len(nums) & 1:
print(nums[ int((len(nums) - 1) / 2)])
else:
print(nums[int((len(nums) - 1) / 2)])
print(nums[int(len(nums) / 2)])
2.已知一个数字列表,求所有元素和。
list = [21, 312, 4143, 54, 56, 645, 2, 4, 3, 523, 55]
sum = 0
for x in list:
sum += x
print(sum)
3.已知一个数字列表,输出所有奇数下标元素。
list = [21, 312, 4143, 54, 56, 645, 2, 4, 3, 523, 55]
print(scores[1::2])
4.已知一个数字列表,输出所有元素中,值为奇数的元素。
list = [21, 312, 4143, 54, 56, 645, 2, 4, 3, 523, 55]
for x in list:
if x & 1:
print(list[x])
5.已知一个数字列表,将所有元素乘二。
例如:nums = [1, 2, 3, 4] —> nums = [2, 4, 6, 8]
nums = [1, 2, 3, 4]
# 方法一
for x in range(len(nums)):
nums[x] = nums[x] << 1
print(nums)
# 方法二
new_nums=[]
for x in nums:
new_nums.append(x*2)
print(new_nums)
# 方法三
new_nums = [x*2 for x in nums]
6.有一个长度是10的列表,数组内有10个人名,要求去掉重复的
> 例如:names = ['张三', '李四', '大黄', '大黄', '张三', '张三', '张三'] -> names = ['张三', '李四', '大黄']
```python
names = ['张三', '李四', '李四', '李四', '大黄', '大黄', '大黄', '张三', '张三', '张三']
# 方法一
new_names = []
for x in names:
if x not in new_names:
new_names.append(x)
print(new_names)
# 方法二
for _ in range(len(names)):
x = names.pop()
if x not in names:
names.insert(0, x)
print(names)
7.用一个列表来保存一个节目的所有分数,求平均分数(去掉一个最高分,去掉一个最低分,求最后得分)
scores = [21, 312, 4143, 54, 56, 645, 2, 4, 3, 523, 55]
scores.remove(max(scores))
scores.remove(min(scores))
print(sum(scores)/len(scores))
8.有两个列表A和B,使用列表C来获取两个列表中公共的元素
例如: A = [1, ‘a’, 4, 90] B = [‘a’, 8, ‘j’, 1] --> C = [1, ‘a’]
A = [1, 'a', 4, 90,2,2]
B = ['a', 8, 'j', 1,2,2]
C = []
for x in A:
if x in B and x not in C:
C.append(x)
print(C)
9.*有一个数字列表,获取这个列表中的最大值.(注意: 不能使用max函数)
例如: nums = [19, 89, 90, 600, 1] —> 600
nums = [19, 89, 90, 600, 1]
max_num = nums[0]
for x in range(1,len(nums)):
if max_num<nums[x]:
max_num=nums[x]
print(max_num)
10.*获取列表中出现次数最多的元素
例如:nums = [1, 2, 3,1,4,2,1,3,7,3,3] —> 打印:3
times=[]
element=[]
nums = [1, 2, 3, 1, 4, 2, 1, 3, 7, 3, 3]
for i in nums:
if i not in element:
element.append(i)
for i in element:
count=0
while 1:
if i in nums:
count+=1
nums.remove(i)
else:
times.append(count)
break
max_times=times[0]
numbers=0
for i in range(len(times)):
if max_times<times[i]:
max_times=times[i]
numbers=i
print(element[numbers])