1.写⼀个函数将⼀个指定的列表中的元素逆序(例如[1, 2, 3] -> [3, 2, 1])(注意:不要使⽤列表自带的逆序函数)
def list():
list1 = [1,2,3]
list2 = []
for _ in range(3):
list2.append(list1.pop())
print(list2)
list()
运行结果:
[3, 2, 1]
2.写⼀个函数,提取出字符串中所有奇数位上的字符。
def str(str1):
for index in range(len(str1)):
if index % 2 == 0:
print(str1[index],end=' ')
str('1234567')
运行结果:
1 3 5 7
3.写⼀个匿名函数,判断指定的年是否是闰年
years = lambda x:'闰年' if x % 4 == 0 else '不是闰年'
print(years(2009))
运行结果:
不是闰年
4.使⽤用递归打印:
# n = 3的时候
# @
# @@@
# @@@@@
# n = 4的时候:
# @
# @@@
# @@@@@
# @@@@@@@
5.写函数,检查传⼊列表的长度,如果大于2,那么仅保留留前两个长度的内容,并将新内容返回给调用者。
def list():
list1 = [7,2,3,4,5]
list2 = []
if len(list1) > 2:
for item in list1[0:2]:
list2.append(item)
print(list2)
list()
运行结果:
[7, 2]
6.写函数,利用递归获取斐波那契数列中的第 10 个数,并将该值返回给调用者。
def num(n):
if n == 1 or n == 0:
return n
return num(n -1) + num(n - 2)
print(num(10))
运行结果:
55
7.写一个函数,获取列表中的成绩的平均值,和最高分
def list():
sum1 = 0
list1 = [78,89,98,90,96]
list2 = list1[0]
for item in list1:
sum1 += item
if item > list2:
list2 = item
return sum1 / 4 , list2
print(list())
运行结果:
(112.75, 98)
8.写函数,检查获取传入列表或元组对象的所有奇数位索引对应的元素,并将其作为新的列表返回给调用者。
def list():
list1 = [1,2,3,4,5,6,7,8,9]
list2 = []
for index in range(len(list1)):
if index % 2 != 0:
list2.append(list1[index])
print(list2)
list()
运行结果:
[2, 4, 6, 8]