一尘不染

如何从Python中的函数返回两个值?

python

我想在两个单独的变量中从函数返回两个值。例如:

def select_choice():
    loop = 1
    row = 0
    while loop == 1:
        print('''Choose from the following options?:
                 1. Row 1
                 2. Row 2
                 3. Row 3''')

        row = int(input("Which row would you like to move the card from?: "))
        if row == 1:
            i = 2
            card = list_a[-1]
        elif row == 2:
            i = 1
            card = list_b[-1]
        elif row == 3:
            i = 0
            card = list_c[-1]
        return i
        return card

我希望能够分别使用这些值。当我尝试使用时return i, card,它返回a tuple,这不是我想要的。


阅读 775

收藏
2020-02-20

共1个答案

一尘不染

你不能返回两个值,但可以返回a tuple或``a list并在调用后解压缩它:

def select_choice():
    ...
    return i, card  # or [i, card]

my_i, my_card = select_choice()

在线return i, card i, card意味着创建一个元组。你也可以使用括号,例如return (i, card),但是元组是用逗号创建的,因此括号不是必需的。但是,你可以使用parens来提高代码的可读性或将元组分成多行。这同样适用于line my_i, my_card = select_choice()

如果要返回两个以上的值,请考虑使用命名的tuple。它将允许函数的调用者按名称访问返回值的字段,这更具可读性。你仍然可以按索引访问元组的项目。例如,在Schema.loadsMarshmallow框架方法中,返回的UnmarshalResulta namedtuple。因此,你可以执行以下操作:

data, errors = MySchema.loads(request.json())
if errors:
    ...

要么

result = MySchema.loads(request.json())
if result.errors:
    ...
else:
    # use `result.data`

在其他情况下,你可以dict从函数中返回a :

def select_choice(): ... return {'i': i, 'card': card, 'other_field': other_field, ...}

但是你可能要考虑返回一个实用类的实例,该实例包装你的数据:

class ChoiceData():
    def __init__(self, i, card, other_field, ...):
        # you can put here some validation logic
        self.i = i
        self.card = card
        self.other_field = other_field
        ...

def select_choice():
    ...
    return ChoiceData(i, card, other_field, ...)

choice_data = select_choice()
print(choice_data.i, choice_data.card)
2020-02-20