0.写一个匿名函数,判断指定的年是否是闰年
leap_year = lambda year: '%d年是闰年' % year if (year % 4 == 0 and year % 100 != 0) or year % 400 == 0 else "%d年不是闰年" % year
print(leap_year(2100))
print(leap_year(2000))
print(leap_year(2004))
2100年不是闰年
2000年是闰年
2004年是闰年
1.写一个函数将一个指定的列表中的元素逆序( 如[1, 2, 3] -> [3, 2, 1])(注意:不要使用列表自带的逆序函数)
# 例:list1 = [1, 3, 4, 2, 7]
#方法一
def list_reverse(list1):
list2 = []
for i in range(len(list1)):
list2.append(list1[len(list1)-1-i])
return list2
print(list_reverse(list1))
#方法二
list_reverse = lambda list1:list1[::-1]
print(list_reverse(list1))
# 方法三
def reverse(list1:list):
length = len(list1)
for index in range(length//2):
list1[index], list1[length-1-index] = list1[length-1-index], list1[index]
print(list1)
[7, 2, 4, 3, 1]
[7, 2, 4, 3, 1]
[7, 2, 4, 3, 1]
2.写一个函数,提取出字符串中所有奇数位上的字符
str1 = 'Gbadrfyh'
def odd_char(str1):
str2 = ''
for i in range(0, len(str1),2):
str2 += str1[i]
return str2
print(odd_char(str1))
Gary
3.写一个函数,统计指定列表中指定元素的个数(不用列表自带的count方法)
list1 = [1, 2, 1, 'a', 'b', 1, 'a']
def element_count(list1, num1):
count = 0
for num in list1:
if num1 == num:
count += 1
return num1,count
num1, count = element_count(list1, 1)
print("元素%s的个数:" % num1, count)
元素1的个数: 3
4.写一个函数,获取指定列表中指定元素的下标(如果指定元素有多个,将每个元素的下标都返回)
例如: 列表是:[1, 3, 4, 1] ,元素是1, 返回:0,3
list1 = [1, 2, 1, 'a', 'b', 1, 'a']
def element_index(list1, num1):
list2 = []
for index in range(len(list1)):
if num1 == list1[index]:
list2.append(index)
return num1, list2
num1, list2 = element_index(list1, 1)
print("%s的下标:" % num1, *list2)
1的下标: 0 2 5
5.写一个函数,能够将一个字典中的键值对添加到另外一个字典中(不使用字典自带的update方法)
dict1 = {'a': 1, 'b':5, 'c': 10}
dict2 = {1: 18, (1,): 'e'}
def dict_add(dict1, dict2):
for key in dict2:
dict1[key] = dict2[key]
return dict1
print(dict_add(dict1, dict2))
{'a': 1, 'b': 5, 'c': 10, 1: 18, (1,): 'e'}
6.写一个函数,能够将指定字符串中的所有的小写字母转换成大写字母;所有的大写字母转换成小写字母(不能使用字符串相关方法)
str1 = 'gARY iS a gOOD mAN!'
def case_swap(str1):
str2 = ''
for char in str1:
if 'a' <= char <= 'z':
str2 += chr(ord(char)-32)
elif 'A' <= char <= 'Z':
str2 += chr(ord(char)+32)
else:
str2 += char
return str2
print(case_swap(str1))
Gary Is A Good Man!
7.写一个函数,能够将指定字符串中的指定子串替换成指定的其他子串(不能使用字符串的replace方法)
例如: func1('abcdaxyz', 'a', '') - 返回: '\bcd\xyz'
str1 = r'G\ry is \ good man!'
def char_replace(str1, str2,str3):
str4 = str1.translate(str.maketrans(str2, str3))
return str4
print(char_replace(str1, '\\', 'a'))
Gary is a good man!
8.实现一个输入自己的items方法,可以将自定的字典转换成列表。列表中的元素是小的列表,里面是key和value (不能使用字典的items方法)
例如:{'a':1, 'b':2} 转换成 [['a', 1], ['b', 2]]
def exchange(dict1: dict):
master_list = []
for i in dict1:
child_list = [i, dict1[i]]
master_list.append(child_list)
return master_list
print(exchange({'a': 1, 'b': 2}))
[['a', 1], ['b', 2]]