• Python超入门(6)__迅速上手操作掌握Python


    # 26.函数和参数
    # 注意:有参函数和无参函数的名字要不同
    1. def user(): # 无参函数
    2. print("hello world!")
    3. def user1(my_id): # 有参函数
    4. print(my_id)
    5. def user2(first_name, last_name): # 有参函数
    6. print(f'My name is {first_name} {last_name}')
    7. print("start...")
    8. user() # 调用无参函数
    9. user1("123456")
    10. user2("John", "Smith")
    11. print("end...")
    12. '''
    13. start...
    14. hello world!
    15. 123456
    16. My name is John Smith
    17. end...
    18. '''

    # 27.关键字参数
    # 更适合使用数值计算的函数,可使用关键字参数来提高可读性。
    1. user2(last_name="liming", first_name="qiuxie")
    2. '''
    3. My name is qiuxie liming
    4. '''
    5. def cal(one, two, three):
    6. print(one * (two + three))
    7. cal(one=12, two=10, three=30) # 480

    # 28.返回函数
    # 指明函数返回的值,需要print输出返回值。
    1. def power(number): # 一种计算方式number^number
    2. return number ** number
    3. print(power(4)) # 4^4 = 256

    # 29.创建可重用函数
    # 构建一些常用函数,在需要引用时直接调用,避免重复代码。
    
    1. def emoji_converter(message):
    2. words = message.split()
    3. emoji = {
    4. "happy": '=^_^=',
    5. "sad": '>﹏<',
    6. "like": '(❤ ω ❤)'
    7. }
    8. output = ""
    9. for word in words:
    10. output += emoji.get(word, word) + " "
    11. return output
    12. message = input("> ")
    13. print(emoji_converter(message))
    14. '''
    15. > I am happy ,but my dag is sad ,because it lose that it like foods.
    16. I am =^_^= ,but my dag is >﹏< ,because it lose that it (❤ ω ❤) foods.
    17. '''

    # 30.例外(一种错误处理方式)
    # 可用于提示用户输入错误的原因
    1. # 需要测试的代码
    2. try:
    3. age = int(input("> "))
    4. income = 10000
    5. EXP = age - 18
    6. risk = (income * age) / EXP
    7. print(age)
    8. # 可能的错误类型,及对应错误类型的处理方式。
    9. except ZeroDivisionError:
    10. print("EXP cannot be 0")
    11. except ValueError:
    12. print("Invalid value")
    13. '''
    14. > 0
    15. 0
    16. > w
    17. Invalid value
    18. '''
  • 相关阅读:
    上海亚商投顾:沪指冲高回落 华为概念股持续活跃
    mysql查询时间相关方法
    SPL工业智能:原料与产品的拟合
    Linux 文件与目录管理
    2022/12/1 结构体
    Java多线程(四)锁策略(CAS,死锁)和多线程对集合类的使用
    智能家居系统
    [附源码]SSM计算机毕业设计基于健身房管理系统JAVA
    Canal 1.1.5 数据库连接池报错问题解决
    Segment Routing — SR-MPLS over UDP
  • 原文地址:https://blog.csdn.net/qq_57233919/article/details/133996194