day11-homework

1. 写一个匿名函数,判断指定的年是否是闰年

func1 = lambda year:(year%4 == 0 and year%100 !=0) or year%400==0

print(func1(2019))     #False

print(func1(2020))     #True

2. 写一个函数将一个指定的列表中的元素逆序( 如[1, 2, 3] -> [3, 2, 1])(注意:不要使用列表自带的逆序函数)

def hx_sort(list1):
    for index1 in range(len(list1)-1):
        for index2 in range(index1+1,len(list1)):
            if list1[index2]>list1[index1]:
                list1[index1],list1[index2]=list1[index2],list1[index1]
    return list1

print(hx_sort([1, 2, 3, 4, 6]))     #[6, 4, 3, 2, 1]

3. 写一个函数,获取指定列表中指定元素的下标(如果指定元素有多个,将每个元素的下标都返回)

例如: 列表是:[1, 3, 4, 1] ,元素是1, 返回:0,3

def hx_find(list1:list,item):
    list2 =[]
    for index in range(len(list1)):
        if list1[index] == item:
            list2.append(index)
    return list2

print(hx_find([1, 3, 4, 1],1))

4. 写一个函数,能够将一个字典中的键值对添加到另外一个字典中(不使用字典自带的update方法)

def hx_update(dict1,dict2):
"""
将字典2中的键值对添加到字典1中
:param dict1: dict
:param dict2: dict
:return: 新的字典1
"""

    for key2 in dict2:
        dict1[key2] = dict2[key2]
    return dict1

print(hx_update({'a':1,'b':2,'c':3},{'b':4,'d':5,'e':6}))  #{'a': 1, 'b': 4, 'c': 3, 'd': 5, 'e': 6}

5. 写一个函数,能够将指定字符串中的所有的小写字母转换成大写字母;所有的大写字母转换成小写字母(不能使用字符串相关方法)

def hx_exchange(str1):
    str2 = ''
    for char in str1:
        if 'a' <= char <= 'z':
            char = chr(ord(char)-32)
        elif 'A' <= char <= 'Z':
            char = chr(ord(char) + 32)
        str2 += char
    return str2

print(hx_exchange('asdf123GHJKL123'))     #ASDF123ghjkl123

6. 实现一个属于自己的items方法,可以将自定的字典转换成列表。列表中的元素是小的列表,里面是key和value (不能使用字典的items方法)

例如:{'a':1, 'b':2} 转换成 [['a', 1], ['b', 2]]

def hx_items(dict1):
    list1 = []
    for key in dict1:
        list1.append([key,dict1[key]])
    return list1

print(hx_items({'a':1, 'b':2}))   #[['a', 1], ['b', 2]]

'''7. 写一个函数,实现学生的添加功能:

=============添加学生================
输入学生姓名: 张胜
输入学生年龄: 23
输入学生电话: 15634223
===添加成功!
'姓名':'张胜', '年龄':23, '电话:15634223', '学号':'0001'
=====================================
1.继续
2.返回
请选择: 1
=============添加学生================
输入学生姓名: 李四
输入学生年龄: 18
输入学生电话: 157234423
===添加成功!
'姓名':'张胜', '年龄':23, '电话:15634223', '学号':'0001'
'姓名':'李四', '年龄':18, '电话:157234423', '学号':'0002'
=====================================
1.继续
2.返回
请选择:
'''

def add_student(stu_num=0,list1=[]):
    print('=============添加学生================')
    name = input('输入学生姓名:')
    age = int(input('输入学生年龄:'))
    tel = input('输入学生电话:')
    stu_num += 1
    dict1={'姓名':name,'年龄':age,'电话':tel,'学号':str(stu_num).rjust(4,'0')}
    list1.append(dict1)
    print('===添加成功!')
    print(list1)
    print('=====================================')
    print('1.继续')
    print('2.返回')
    num = int(input('请选择:'))
    if num == 1:
        add_student()

add_student()

你可能感兴趣的:(day11-homework)