在Python中,我看到过使用这种语法交换的两个变量值:
left, right = right, left
这被认为是交换两个变量值的标准方法吗?还是有其他方法可以使两个变量按惯例交换?
在Python中,我看到过使用这种语法交换的两个变量值:
left, right = right, left
这被认为是交换两个变量值的标准方法吗?还是有其他方法可以使两个变量按惯例交换?
当前回答
这是交换两个变量的标准方法。
其他回答
你可以结合元组和异或交换:x, y = x ^ x ^ y x ^ y
x, y = 10, 20
print('Before swapping: x = %s, y = %s '%(x,y))
x, y = x ^ x ^ y, x ^ y ^ y
print('After swapping: x = %s, y = %s '%(x,y))
or
x, y = 10, 20
print('Before swapping: x = %s, y = %s '%(x,y))
print('After swapping: x = %s, y = %s '%(x ^ x ^ y, x ^ y ^ y))
使用λ:
x, y = 10, 20
print('Before swapping: x = %s, y = %s' % (x, y))
swapper = lambda x, y : ((x ^ x ^ y), (x ^ y ^ y))
print('After swapping: x = %s, y = %s ' % swapper(x, y))
输出:
Before swapping: x = 10 , y = 20
After swapping: x = 20 , y = 10
为了解决eyquem解释的问题,你可以使用copy模块通过函数返回一个包含(反向)值副本的元组:
from copy import copy
def swapper(x, y):
return (copy(y), copy(x))
与lambda相同的函数:
swapper = lambda x, y: (copy(y), copy(x))
然后,将它们分配给所需的名称,如下所示:
x, y = swapper(y, x)
注意:如果你想,你可以导入/使用deepcopy而不是copy。
我不会说这是交换的标准方式,因为它会导致一些意想不到的错误。
nums[i], nums[nums[i] - 1] = nums[nums[i] - 1], nums[i]
首先修改Nums [i],然后影响第二个变量Nums [Nums [i] - 1]。
对多维数组无效,因为这里使用了引用。
import numpy as np
# swaps
data = np.random.random(2)
print(data)
data[0], data[1] = data[1], data[0]
print(data)
# does not swap
data = np.random.random((2, 2))
print(data)
data[0], data[1] = data[1], data[0]
print(data)
参见Numpy数组的交换片
这是交换两个变量的标准方法。