2018-10-11 Day 10 homework

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

def rev(list1):
    list2 = list1[:]
    for i in range(len(list1)):
        list1[i] = list2[len(list1) -1 - i]
    return list1
print(rev([1,2,3,4,]))

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

def extract_odd(str1):
    str2 = ''
    for i in range(len(str1)):
        if i%2:
            str2 += str1[i]
    return str2

print(extract_odd('akjhwkh'))

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

leap_year = lambda year:year%4
year = int(input('请输入要查询的年份:'))
if leap_year(year) == 0:
    print('这是闰年')
else:
    print('这不是闰年')

4.使用递归打印:

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

def my_print(n, m=0):
if n == 0:
return
my_print(n-1, m+1)
print(' 'm, end='')
print('@'
(2*n-1))
my_print(7)

5.写函数,利用递归获取斐波那契数列中的第 10 个数,并将该值返回给调用者。

def ser(n):
if n <= 2:
return 1
return ser(n-1)+ser(n-2)
print(ser(10))

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

def score(list1):
ave = sum(list1)/len(list1)
high_score = max(list1)
return ave,high_score
print(score([1,2,3]))

7.写函数,检查获取传入列表或元组对象的所有奇数位索引对应的元素,并将其作为新的列表返回给调用者   

def exa(list1):
list2 = []
for x in range(len(list1)):
if x%2:
list2.append(list1[x])
return list2
print(exa(['a','b','c','d','e']))

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

def w_update(dict1,dict2):
for key in dict2:
dict1[key]= dict2[key]
return dict1
print(w_update({'a': 1},{'b': 2,'c': 3}))


9.实现属于自己的items方法:将字典转换成列表,字典中的键值对转换成元祖。(不能使用items方法)
yt_items(字典)
例如:{'a': 1, 'b':2, 'c':3} ---> [('a', 1), ('b', 2), ('c', 3)]

def exchange(dict1):
list1 = []
list2 = [1,1]
for key in dict1:
list2[0]=key
list2[1]=dict1[key]
list1.append(tuple(list2))
return list1
print(exchange({'a': 1, 'b': 2, 'c': 3}))

你可能感兴趣的:(2018-10-11 Day 10 homework)