Skip to content Skip to sidebar Skip to footer

How To Swap Maximums With The Minimums? (python)

Is there a method to swap the maximum and the minimum of a list? The list will be as follows and the program has to be continued so that it will print the maximum swapped with the

Solution 1:

There is no method for this in python. You can try using primitive methods to build what you want using lists.

This code does the job:

#!/usr/bin/python
a = []
b = []
nums = raw_input("Enter input- ")
#append all to a list
for n in nums.split():
    n = int(n)
    if n < 0:
        break
    a.append(n)

#get the maximums
b = list(a)
first_max = max(b)
b.remove(first_max)
second_max = max(b)
b.remove(second_max)
third_max = max(b)

#get the minimums
b = list(a)
first_min = min(b)
b.remove(first_min)
second_min = min(b)
b.remove(second_min)
third_min = min(b)

## now swap 
xMax, yMax, zMax = a.index(first_max), a.index(second_max), a.index(third_max)
xMin, yMin, zMin = a.index(first_min), a.index(second_min), a.index(third_min)
a[xMax], a[xMin] = a[xMin], a[xMax]
a[yMax], a[yMin] = a[yMin], a[yMax]
a[zMax], a[zMin] = a[zMin], a[zMax]

print a

Solution 2:

I assume the list contains no duplicate values. Then you can construct a new sorted list to find the lowest and highest numbers.

After that you take the corresponding values from the sorted list, find their index in the original list and swap them.

data = list(range(10))
helper = sorted(data)
for i in range(3):
    low_value = helper[i]
    high_value = helper[-(i+1)]
    low_index = data.index(low_value)
    high_index = data.index(high_value)
    print(low_index, high_index)
    data[low_index], data[high_index] = data[high_index], data[low_index]
print(data)

Solution 3:

Check this out.

>>> sorted(student_tuples, key=itemgetter(2), reverse=True)
[('john', 'A', 15), ('jane', 'B', 12), ('dave', 'B', 10)]

Post a Comment for "How To Swap Maximums With The Minimums? (python)"