我想从两个单独的变量中的函数返回两个值。例如:
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,这不是我想要的。
return i, card
tuple
您不能返回两个值,但可以返回 atuple或 alist并在调用后将其解包:
list
def select_choice(): ... return i, card # or [i, card] my_i, my_card = select_choice()
在线return i, card i, card意味着创建一个元组。你也可以使用圆括号return (i, card),但是元组是用逗号创建的,所以圆括号不是强制性的。但是您可以使用括号使您的代码更具可读性或将元组拆分为多行。这同样适用于 line my_i, my_card = select_choice()。
i, card
return (i, card)
my_i, my_card = select_choice()
如果要返回两个以上的值,请考虑使用命名元组。它将允许函数的调用者按名称访问返回值的字段,这样更具可读性。您仍然可以按索引访问元组的项目。例如在Schema.loads方法 Marshmallow 框架中返回 a UnmarshalResultwhich is a namedtuple。所以你可以这样做:
Schema.loads
UnmarshalResult
namedtuple
data, errors = MySchema.loads(request.json()) if errors: ...
或者
result = MySchema.loads(request.json()) if result.errors: ... else: # use `result.data`
在其他情况下,您可能会dict从函数中返回 a:
dict
def select_choice(): ... return {'i': i, 'card': card, 'other_field': other_field, ...}
但是您可能需要考虑返回一个实用程序类的实例(或 Pydantic/dataclass 模型实例),它包装了您的数据:
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)