day10-作业

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

def leap_year(year:int):
    if year % 4 == 0 and year % 100 != 0 or year % 400 == 0:
        return print('闰年')
    else:
        return print('不是闰年')

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

def inverse_number(list1:list):
    list2 = []
    num = len(list1)
    for x in range(num):
        list2 += [list1[num-1]]
        num -= 1
    return print(list2)
inverse_number([1,2,3,4,5,6])

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

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

ef get_index(list1:list):
    index1 = int(input('请输入指定元素:'))
    num = list1.count(index1)
    list2 = []
    n = 0
    for x in range(num):
        list2 += [list1.index(index1)+n]
        list1.remove(index1)
        n += 1
    return print(list2)

get_index([1,2,1,3,1,2,5,1])

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

dict1 = {'key':2,'keyw':'abc'}
dict2 = {'acv':7,'qwe':'mm'}
list1 = list(dict1.items())
list2 = list(dict2.items())
list3 = list1 + list2
dict3 = dict(list3)
print(dict3)

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

def abc(str1:str):
    list1 = list(str1)
    n = 0
    for x in list1:
        if 65 <= ord(x) <= 90:
            list1[n] = chr(ord(x)+32)
            n += 1
        elif 97 <= ord(x) <= 122:
            list1[n] = chr(ord(x) - 32)
            n += 1
        else:
            n += 1
    return print(str(list1))
abc('ab11cd12')

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

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

def dict1_list1(dict2:dict):
    dict4 = []
    for x in dict2:
        dict3 =[ [x] + [dict2[x]]]
        dict4 += dict3
    return print(dict4)

dict1_list1({'wer':'abc','weee':23})

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