美文网首页
day09-作业

day09-作业

作者: 馒头不要面 | 来源:发表于2019-01-04 19:30 被阅读0次

    1.编写一个函数,求1+2+3+...+N

    def my_sum(n:int):
        sum = 0
        for i in range(1,n+1):
            sum += i
        return sum
    

    2.编写一个函数,求多个数中的最大值

    def find_max(*args):
        return max(args)
    

    3.编写一个函数,实现摇色子的功能,打印n个色子的点数和

    import random
    def shake(n:int):
        sum = 0
        for i in range(n):
            # 随机生成1-6的整数,模拟摇色子
            sum += random.randint(1,6)
        print("%d个色子的点数和为:%d" % (n,sum))
    
    

    4.编写一个函数,交换指定字典的key和value。

    例如:{'a':1, 'b':2, 'c':3} ---> {1:'a', 2:'b', 3:'c'}

    def change_dict(dict1:dict):
        for index in dict1:
            t_key = dict[index]
            t_value = index
            del dict1[index]
            dict1[t_key] = t_value
    
    dict = {'a':1, 'b':2, 'c':3}
    change_dict(dict)
    print(dict)
    
    

    5.编写一个函数,三个数中的最大值

    def my_max(a,b,c):
        return max((a,b,c))
    
    print(my_max(1,2,3))
    

    6.编写一个函数,提取指定字符串中的所有的字母,然后拼接在一起后打印出来

    例如:'12a&bc12d--' ---> 打印'abcd'

    def print_letters(s):
        list_str = list(s)
        for item in list_str[:]:
            if not ('A'<=item<='Z' or 'a'<=item <='z'):
                list_str.remove(item)
        return ''.join(list_str) 
    
    str = '12a&bc12d--'
    print(print_letters(str))
    

    7.写一个函数,求多个数的平均值

    def my_average(*args):
        sum = 0
        for item in args:
            sum += item
        return sum / len(args)
    
    print(my_average(1,2,3,4,5,6,7))
    

    8.写一个函数,默认求10的阶乘,也可以求其他数的阶乘

    def factorial(n = 10):
        fact = 1
        for item in range(1,n+1):
            fact *= item
        print("%d的阶乘为:%d" % (n,fact))
        return fact
    
    factorial()
    factorial(5)
    
    

    9.写一个函数,可以对多个数进行不同的运算

    例如: operation('+', 1, 2, 3) ---> 求 1+2+3的结果
    operation('-', 10, 9) ---> 求 10-9的结果
    operation('*', 2, 4, 8, 10) ---> 求 2*4*8*10的结果
    
    def operation(oper,*num):
        if oper == '+':
            sum = 0
            for item in num:
                sum += item
            return sum
        elif oper == '-':
            sum = num[0] 
            for item in num[1:]:
                sum -= item
            return sum
        elif oper == '*':
            product = 1
            for item in num:
                product *= item
            return product
        elif oper == '/':
            product = num[0]
            for item in num[1:]:
                product /= item
            return product
        else:
            print('输入运算符有误')
            return 0
    
    print(operation('+', 1, 2, 3))  # 6 = 1+2+3
    print(operation('-', 1, 2, 3))  # -4 = 1-2-3
    print(operation('*', 1, 2, 3))  # 6 = 1*2*3
    print(operation('/', 1, 2, 3))  # 0.16666666666666666 = 1/2/3
    

    相关文章

      网友评论

          本文标题:day09-作业

          本文链接:https://www.haomeiwen.com/subject/bvwkrqtx.html