day10函数的应用(作业)

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

···
def xp_list(list1):
list2=list1[::-1]
return list2

print(xp_list([1,2,3]))
···

[3,2,1]

2.写一个函数,提取出字符串中所有奇数位上的字符

def xp_str(str1):
    str2=str1[0::2]
    return str2
print(xp_str('asfsgsfh'))

afgf

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

xp_year=lambda year:year%4==0 and year!=0 or year%400==0

print(xp_year(1))

4.使用递归打印:

n = 3的时候
@
@@@
@@@@@

n = 4的时候:
@
@@@
@@@@@
@@@@@@@


def print_star(n):
    if n == 1:
        print('@')
        return

    print_star(n - 1)
    print('@'*(2*n-1))


print_star(3)

5.写函数,利用递归获取斐波那契数列中的第 10 个数,并将该值返回给调用者。
def xp_func1(a,a1,a2):
    if a == 10:
        return a1
    a3 = a1 + a2
    r = xp_func1(a + 1,a2,a3)
    return r
ret = xp_func1(1,0,1)
print(ret)

34

6.写一个函数,获取列表中的成绩的平均值,和最高分

def get_num(list1):
    average=sum(list1)/len(list1)
    max1=max(list1)
    return average,max
7.写函数,检查获取传入列表或元组对象的所有奇数位索引对应的元素,并将其作为新的列表返回给调用者
get_element = lambda tuple1:tuple1[1::2]


print(get_element((1,2,3)))

8.实现属于自己的字典update方法:用一个字典去更新另一个字典的元素(不能使用自带的update方法)

yt_update(字典1, 字典2)  
···def xp_update(dict1, dict2):
    for key1 in dict1.copy():
        value1 = dict1[key1]
        # print(key1)
        for key2 in dict2:
            value2 = dict2[key2]
            dict1.setdefault(key2, value2)
            if key1 == key2:
                dict1[key1] = value2

    return dict1
print(xp_update({'a': 2, 'b': 2, 'c': 3}, {'a': 3, 'b': 3, 'd': 3, 'e': 4}))

9.实现属于自己的items方法:将字典转换成列表,字典中的键值对转换成元祖。(不能使用items方法)

yt_items(字典)
例如:{'a': 1, 'b':2, 'c':3} ---> [('a', 1), ('b', 2), ('c', 3)]

你可能感兴趣的:(day10函数的应用(作业))