day10 作业

  1. 写一个函数将一个指定的列表中的元素逆序( 如[1, 2, 3] -> [3, 2, 1])(注意:不要使列表自带的逆序函数)
list1=[1, 2, 3,4,5,6,7]
def wg_reversed(list2:list):
    count =len(list2)
    list3 =list2[:]
    for i in range(0,len(list2)):
        list2[i]=list3[count-1]
        count -=1
    return list2
list3=wg_reversed(list1)
print(list3)
  1. 写一个函数,提取出字符串中所有奇数位上的字符
def wg_uneven(str1:str):
    list4=[]
    for i in range(len(str1)):
        if i%2 == 0:
            list4.append(str1[i])
    str2=''.join(list4)
    return  str2
print(wg_uneven('sajhdkj'))
  1. 写一个匿名函数,判断指定的年是否是闰年
year=int(input('请输入年份:'))
func1=lambda year:(year%4==0 and year%100 !=0) or year%400 == 0
print(func1(year))
  1. 写函数,提去字符串中所有的数字字符。
    例如: 传入'ahjs233k23sss4k' 返回: '233234'
def get_num(str1:str ):
    list4=[]
    for i in  range(len(str1)):
        if '0'<= str1[i] <='9':
           list4.append(str1[i])
    str2 = ''.join(list4)
    return str2
print(get_num('ahjs233k23sss4k'))
  1. 写一个函数,获取列表中的成绩的平均值,和最高分
def get_avemax (list5:list):
    sum=0
    max=list5[0]
    for i in range(len(list5)):
        sum += list5[i]
        if max < list5[i]:
            max = list5[i]
    return round(sum/len(list5),2),max
print(get_avemax([1,2,3,4,5,5,6]))
  1. 写函数,检查获取传入列表或元组对象的所有奇数位索引对应的元素,并将其作为新的列表返回给调用者
def return_odd(list6):
    list7 = []
    for i in range(len(list6)):
        if i %2!=0:
            list7.append(list6[i])
    return list7
print(return_odd([0,2,3,43,4,4]))
  1. 实现属于自己的字典update方法:用一个字典去更新另一个字典的元素(不能使用自带的update方法)
    yt_update(字典1, 字典2)
def wg_update(dict1:dict,dict2:dict):
    for i in dict2:
        dict1[i] = dict2[i]
    return dict1
dict3 = {'a':1,'b':2}
dict4 = {'c':3,'d':4}
wg_update(dict3,dict4)
print(dict3)
  1. 实现属于自己的items方法:将字典转换成列表,字典中的键值对转换成元祖。(不能使用items方法)
    yt_items(字典)
    例如:{'a': 1, 'b':2, 'c':3} ---> [('a', 1), ('b', 2), ('c', 3)]
def wg_items(dict1:dict):
    list2 = []
    for i in dict1:
        list2.append((i,dict1[i]))
    return list2
eggdict = {'c':3,'d':4}
print(wg_items(eggdict))
  1. 有一个列表中保存的所一个班的学生信息,使用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:item['score']))
print(max(all_student,key=lambda item:item['age']))

你可能感兴趣的:(day10 作业)