• 多个return值

    多个return值

    那如果你想从一个函数里返回两个变量而不是一个呢?
    新手们有若干种方法。最著名的方法,是使用global关键字。让我们看下这个没用的例子:

    1. def profile():
    2. global name
    3. global age
    4. name = "Danny"
    5. age = 30
    6. profile()
    7. print(name)
    8. # Output: Danny
    9. print(age)
    10. # Output: 30

    注意: 不要试着使用上述方法。重要的事情说三遍,不要试着使用上述方法!

    有些人试着在函数结束时,返回一个包含多个值的tuple(元组),list(列表)或者dict(字典),来解决这个问题。这是一种可行的方式,而且使用起来像一个黑魔法:

    1. def profile():
    2. name = "Danny"
    3. age = 30
    4. return (name, age)
    5. profile_data = profile()
    6. print(profile_data[0])
    7. # Output: Danny
    8. print(profile_data[1])
    9. # Output: 30

    或者按照更常见的惯例:

    1. def profile():
    2. name = "Danny"
    3. age = 30
    4. return name, age

    这是一种比列表和字典更好的方式。不要使用global关键字,除非你知道你正在做什么。global也许在某些场景下是一个更好的选择(但其中大多数情况都不是)。