- 写一个函数将一个指定的列表中的元素逆序( 如[1, 2, 3] -> [3, 2, 1])(注意:不要使 表自带的逆序函数)
def nixu(list1):
list2 = []
for item in list1[::-1]:
list2.append(item)
return list2
print(nixu([1, 2, 3, 4]))
# 法二 用匿名 产生新列表
th_reverse = lambda list1 : list[::-1]
# 法三 不产生新列表做
def yt_reverse(list1: list):
"""列表逆序"""
"""
[1,2,3,4,5,6,7] -> [7,6,5,4,3,2,1] # 交换
len =7
0, 6 交换 = len()-0-1
1,5 = len()-1-1
2, 4 = len()-2-1
3, 3 = len()//2
"""
length = len(list1)
for index in range(length//2):
list1[index], list1[length-index-1] = list1[length-index-1], list1[index]
print(list1)
yt_reverse([1, 2, 3, 4, 5, 6, 7])
- 写一个函数,提取出字符串中所有奇数位上的字符
def qishu_str(str):
new_str = ''
for index in range(0, len(str)):
if index & 1:
new_str += str[index]
return new_str
print(qishu_str('asasd'))
- 写一个匿名函数,判断指定的年是否是闰
runnian = lambda x : x % 4 ==0 and x % 100 != 0
print(runnian(2019))
- 写函数,提去字符串中所有的数字字符。
例如: 传入'ahjs233k23sss4k' 返回: '233234'
def tiqu_nums(str):
str1 = ''
for item in str:
if '0' <= item <= '9':
str1 += item
print(str1)
tiqu_nums('ahjs233k23sss4k')
- 写一个函数,获取列表中的成绩的平均值,和最高分
def pingjun_max(scores):
return sum(scores) / len(scores), max(scores)
print(pingjun_max([22, 43, 54, 66]))
- 写函数,检查获取传入列表或元组对象的所有奇数位索引对应的元素,并将其作为新的列表返回给调用者
def get_list(list1):
list2 = list1[0::2]
return list2
print(get_list([1, 2, 3, 4]))
- 实现属于自己的字典update方法:用一个字典去更新另一个字典的元素(不能使用自带的update方法)
yt_update(字典1, 字典2)
def yt_update(dict1:dict, dict2:dict):
for key in dict2:
dict1[key] = dict2[key]
print(dict1)
dict1 = {'a': 10, 'b': 20}
dict2 = {'b': 30, 'c': 40}
- 实现属于自己的items方法:将字典转换成列表,字典中的键值对转换成元祖。(不能使用items方法)
yt_items(字典)
例如:{'a': 1, 'b':2, 'c':3} ---> [('a', 1), ('b', 2), ('c', 3)]
list1 = []
def yt_items(dict1):
for key in dict1:
value = dict1[key]
list1.append((key, value))
print(list1)
yt_items({'a': 1, 'b':2, 'c':3})
- 有一个列表中保存的所一个班的学生信息,使用max函数获取列表中成绩最好的学生信息和年龄最大的学生信息
all_student = [
{'name': '张三', 'age': 19, 'score': 90},
{'name': 'stu1', 'age': 30, 'score': 79},
{'name': 'xiaoming', 'age': 12, 'score': 87},
{'name': 'stu22', 'age': 29, 'score': 99}
]
注意: max和min函数也有参数key
all_student = [
{'name': '张三', 'age': 19, 'score': 90},
{'name': 'stu1', 'age': 30, 'score': 79},
{'name': 'xiaoming', 'age': 12, 'score': 87},
{'name': 'stu22', 'age': 29, 'score': 99}
]
print(max(all_student, key=lambda item:['score']))
print(max(all_student, key=lambda item:['age']))
网友评论