6

如何在给定列表中交换数字?

例如:

list = [5,6,7,10,11,12]

我想125.

是否有一个内置的 Python 函数可以让我这样做?

4

7 回答 7

22
>>> lis = [5,6,7,10,11,12]
>>> lis[0], lis[-1] = lis[-1], lis[0]
>>> lis
[12, 6, 7, 10, 11, 5]

上述表达式的求值顺序:

expr3, expr4 = expr1, expr2

RHS 上的第一个项目被收集在一个元组中,然后该元组被解包并分配给 LHS 上的项目。

>>> lis = [5,6,7,10,11,12]
>>> tup = lis[-1], lis[0]
>>> tup
(12, 5)
>>> lis[0], lis[-1] = tup
>>> lis
[12, 6, 7, 10, 11, 5]
于 2013-10-29T18:52:38.443 回答
3

您可以使用此代码进行交换,

list[0],list[-1] = list[-1],list[0]
于 2013-10-30T09:52:32.293 回答
3

您可以使用“*”运算符。

my_list = [1,2,3,4,5,6,7,8,9]
a, *middle, b = my_list
my_new_list = [b, *middle, a]
my_list
[1, 2, 3, 4, 5, 6, 7, 8, 9]
my_new_list
[9, 2, 3, 4, 5, 6, 7, 8, 1]

阅读此处了解更多信息。

于 2018-01-18T16:05:44.267 回答
0

使用要更改的数字的索引。

In [38]: t = [5,6,7,10,11,12]

In [40]: index5 = t.index(5) # grab the index of the first element that equals 5

In [41]: index12 = t.index(12) # grab the index of the first element that equals 12

In [42]: t[index5], t[index12] = 12, 5 # swap the values

In [44]: t
Out[44]: [12, 6, 7, 10, 11, 5]

然后你可以做一个快速交换功能

def swapNumbersInList( listOfNums, numA, numB ):
    indexA = listOfNums.index(numA)
    indexB = listOfNums.index(numB)

    listOfNums[indexA], listOfNums[indexB] = numB, numA

# calling the function
swapNumbersInList([5,6,7,10,11,12], 5, 12)
于 2013-10-29T18:55:21.027 回答
0

另一种方式(不那么可爱):

mylist   = [5, 6, 7, 10, 11, 12]
first_el = mylist.pop(0)   # first_el = 5, mylist = [6, 7, 10, 11, 12]
last_el  = mylist.pop(-1)  # last_el = 12, mylist = [6, 7, 10, 11]
mylist.insert(0, last_el)  # mylist = [12, 6, 7, 10, 11]
mylist.append(first_el)    # mylist = [12, 6, 7, 10, 11, 5]
于 2013-10-29T19:04:28.203 回答
0
array = [5,2,3,6,1,12]
temp = ''
lastvalue = 5

temp = array[0]
array[0] = array[lastvalue]
array[lastvalue] = temp

print(array)

希望这可以帮助 :)

于 2016-06-03T23:39:47.917 回答
0

这最终对我有用。

def swap(the_list):
    temp = the_list[0]
    the_list[0] = the_list[-1]
    the_list[-1] = temp
    return the_list
于 2020-03-18T21:35:05.583 回答