Easy Tutorial
❮ Python String Length Python Func Bytes ❯

Python Swap Elements at Specified Positions in a List

Python3 Examples

Define a list and swap the elements at specified positions in the list.

For example, swap the first and third elements:

Before Swap: List = [23, 65, 19, 90], pos1 = 1, pos2 = 3
After Swap: [19, 65, 23, 90]

Example 1

def swapPositions(list, pos1, pos2): 

    list[pos1], list[pos2] = list[pos2], list[pos1] 
    return list

List = [23, 65, 19, 90] 
pos1, pos2 = 1, 3

print(swapPositions(List, pos1-1, pos2-1))

The output of the above example is:

[19, 65, 23, 90]

Example 2

def swapPositions(list, pos1, pos2): 

    first_ele = list.pop(pos1)    
    second_ele = list.pop(pos2-1) 

    list.insert(pos1, second_ele)   
    list.insert(pos2, first_ele)   

    return list

List = [23, 65, 19, 90] 
pos1, pos2 = 1, 3

print(swapPositions(List, pos1-1, pos2-1))

The output of the above example is:

[19, 65, 23, 90]

Example 3

def swapPositions(list, pos1, pos2): 

    get = list[pos1], list[pos2] 

    list[pos2], list[pos1] = get 

    return list

List = [23, 65, 19, 90] 

pos1, pos2 = 1, 3
print(swapPositions(List, pos1-1, pos2-1))

The output of the above example is:

[19, 65, 23, 90]

Python3 Examples

❮ Python String Length Python Func Bytes ❯