- 创建一个列表,列表中有10个数字, 保证列表中元素的顺序,对列表进行排重,并对列表使用进行降序排序
例如:[70, 88, 91, 70, 107, 234, 91, 177, 282, 197]
--- 去重之后 [70, 88, 91, 107, 234, 177, 282, 197]
---- 降序排序 [282, 234, 197, 177, 107, 91, 88, 70]
nums = [70, 88, 91, 70, 107, 234, 91, 177, 282, 197]
new_nums = []
for i in nums:
if i not in new_nums:
new_nums.appped(i)
new_nums.sort(reverse=True)
print(new_nums)
nums = [70, 88, 91, 70, 107, 234, 91, 177, 282, 197]
new_nums = []
for i in nums:
if i not in new_nums:
new_nums.append(i)
new_nums.sort(reverse=True)
print(new_nums)
2、利用列表推导式, 完成以下需求
a. 生成一个存放1-100中各位数为3的数据列表
结果为 [3, 13, 23, 33, 43, 53, 63, 73, 83, 93]
result = [i for i in range(1,101) if i%10==3]
print(result)
b. 利用列表推到是将 列表中的整数提取出来
例如:[True, 17, "hello", "bye", 98, 34, 21] --- [17, 98, 34, 21]
num1=[True, 17, "hello", "bye", 98, 34, 21]
results=[i for i in num1 if type(i)==int]
print(results)
c.利用列表推导式 存放指定列表中字符串的长度
例如: ["good", "nice", "see you", "bye"] --- [4, 4, 7, 3]
num2 = ["good", "nice", "see you", "bye"]
result1 = [len(i) for i in num2 if type(i) == str]
print(result1)
d. 利用列表推导式删除列表中整数个位数小于5的元素
例如:[24, 'abc', 99, True, 21, 38, 'hello'] --- ['abc', 99, True, 38, 'hello']
# 方法一:用非条件
num3 = [24, 'abc', 99, True, 21, 38, 'hello']
result2 = [i for i in num3 if not (type(i) == int and i % 10 < 5)]
print(result2)
# 方法二: 从原列表里删除满足条件的元素
num4= [24, 'abc', 99, True, 21, 38, 'hello']
result3 = [num4.remove(x) for x in num4 if type(x) == int and x % 10 < 5]
print(num4)
e. 利用列表推导式获取元素是元组的列表中每个元组的最后一个元素
例如:[(10, 20, 30), ('abc', 'hello'), (1, 2, 3.4), (True, False)] --- [30, 'hello', 3.4, False]
num5=[(10, 20, 30), ('abc', 'hello'), (1, 2, 3.4), (True, False)]
print([i[-1] for i in num5])
f.利用列表推导式将数字列表中所有的奇数乘以2,所有的偶数除以2
例如: [23, 4, 67, 88, 90, 21] -> [46, 2, 134, 44, 45, 42]
num6 = [23, 4, 67, 88, 90, 21]
result4 = [x * 2 if x % 2 != 0 else x // 2 for x in num6]
print(result4)
-
已知一个列表获取列表中指定元素所有的下标
例如:[10, 20, 34, 10, 9, 78] 10的下标:[0, 3] 20的下标:[1] 30的下标:[]
-
*已知一个数字列表,写程序判断这个列表时候是连续递增列表。
例如: [1, 2, 3, 4, 5] -> True [23, 45, 78, 90] -> True [1, 3, 2, 4, 5] -> False
# 方法一 flag = True for index in range(len(list1) - 1): if list1[index] >= list1[index + 1]: flag = False break print('递增' if flag else '不是递增') # 方法二 nums = [1, 3, 2, 4, 5] print(nums == sorted(nums)) # 方法三 num = [23, 45, 78, 90] for i in range(1,len(num)): for j in range(i+1,len(num)): if num[i] >= num[j]: print("不是连续递增", False) break else: print("是连续递增", True)
-
已知两个列表,将两个列表按照下面的规律交叉合并
A = [10, 20, 30, 40, 50] B = [100, 200, 300] 结果:[10, 100, 20, 200, 30, 300, 40, 50]
a = [10, 20, 30, 40, 50] b = [100, 200, 300] new_a = a.copy() c = [] for i in range(len(b)): c.append(a[i]) del new_a[0] c.append(b[i]) print(c+new_a)
-
已知两个有序列表,将两个列表合并,合并后的新列表中元素仍然是递增列表
A = [10, 20, 30, 40, 50] B = [25, 44, 60] 结果:[10, 20, 25, 30, 40, 45, 50, 60]
A = [10, 20, 30, 40, 50] B = [25, 44, 60] C = A + B C.sort() print(C)