1. 写一个匿名函数,判断指定的年是否是闰年
leap = lambda y: (y % 400 == 0)or(y % 4 == 0 and y % 100 != 0)
2. 写一个函数将一个指定的列表中的元素逆序( 如[1, 2, 3] -> [3, 2, 1])(注意:不要使用列表自带的逆序函数)
z_reverse = lambda list1:list1[::-1]
3. 写一个函数,获取指定列表中指定元素的下标(如果指定元素有多个,将每个元素的下标都返回)
例如: 列表是:[1, 3, 4, 1] ,元素是1, 返回:0,3
def z_index(list1:list, item):
"""说明:获取列表list1中所有item的下标"""
count = 0
index_list = []
for item1 in list1:
if item1 == item:
index_list.append(count)
count +=1
return str(index_list)[1:-1]
print(z_index([1, 3, 4, 1], 1))
4. 写一个函数,能够将一个字典中的键值对添加到另外一个字典中(不使用字典自带的update方法)
def z_update(dict1:dict, dict2:dict):
"""说明:将dict1中的键值对添加到dict2中"""
for key in dict1:
dict2[key] = dict1[key]
return dict2
print(z_update({'a':1, 'b':2, 'c':3},{'d':4, 'e':5, 'c':6}))
5. 写一个函数,能够将指定字符串中的所有的小写字母转换成大写字母;所有的大写字母转换成小写字母(不能使用字符串相关方法)
def z_switch(str1: str):
str2 = ''
for index in range(len(str1)):
if 'a' <= str1[index] <= 'z':
str2 += chr(ord(str1[index]) - 32)
elif 'A' <= str1[index] <= 'Z':
str2 += chr(ord(str1[index]) + 32)
else:
str2 +=str1[index]
return str2
print(z_switch('aaAgGhJ12J45'))
6. 实现一个属于自己的items方法,可以将自定的字典转换成列表。列表中的元素是小的列表,里面是key和value
(不能使用字典的items方法)
例如:{'a':1, 'b':2} 转换成 [['a', 1], ['b', 2]]
def z_item(dict1: dict):
list1 = []
for key in dict1:
list2 = []
list2.append(key)
list2.append(dict1[key])
list1.append(list2)
return list1
print(z_item({'a':1, 'b':2}))
7. 写一个函数,实现学生的添加功能:
def add_student(num1=0, choice=1):
#stu_str = ''
stu_list = []
while choice == 1:
print('=============添加学生================')
name = input('输入学生姓名:')
age = int(input('输入学生年龄:'))
tel = int(input('输入学生电话:'))
num1 += 1
print('============添加成功!===============')
# if num1 == 1:
# stu_str += "姓名':%s,'年龄’:%d,'电话:%d','学号':'%s'" % (name, age, tel, str(num1).zfill(4))
# else:
# stu_str += "\n姓名':%s,'年龄’:%d,'电话:%d','学号':'%s'" % (name, age, tel, str(num1).zfill(4))
# print(stu_str)
stu_list.append({"'姓名':": name, "'年龄':": age, "'电话:'": tel, "学号:":str(num1).zfill(4)})
for stu in stu_list:
print(str(stu)[1:-1])
print('=====================================')
print('1.继续')
print('2.返回')
choice = int(input('请选择:'))
for stu in stu_list:
print(str(stu)[1:-1])
add_student()