Are List sorted in Python?

The sorted operation of list is essential operation in many application. But it takes best of O[nlogn] time complexity, hence one hopes to avoid this. So, to check if this is required or not, knowing if list is by default sorted or not, one can check if list is sorted or not. Lets discuss various ways this can be achieved.

Method #1 : Naive method The simplest way to check this is run a loop for first element and check if we could find any smaller element than it after that element, if yes, the list is not sorted.

test_list = [1, 4, 5, 8, 10]

print ["Original list : " + str[test_list]]

flag = 0

i = 1

while i < len[test_list]:

    if[test_list[i] < test_list[i - 1]]:

        flag = 1

    i += 1

if [not flag] :

    print ["Yes, List is sorted."]

else :

    print ["No, List is not sorted."]

Output :

Original list : [1, 4, 5, 8, 10] Yes, List is sorted.

Method #2 : Using sort[] The new list can be made as a copy of the original list, sorting the new list and comparing with the old list will give us the result if sorting was required to get sorted list or not.

test_list = [10, 4, 5, 8, 10]

print ["Original list : " + str[test_list]]

flag = 0

test_list1 = test_list[:]

test_list1.sort[]

if [test_list1 == test_list]:

    flag = 1

if [flag] :

    print ["Yes, List is sorted."]

else :

    print ["No, List is not sorted."]

Output :



Original list : [10, 4, 5, 8, 10] No, List is not sorted.

Method #3 : Using sorted[] Using the similar analogy as the above method, but does not create a new space, but just a momentary space for that time and hence useful, shorter and faster method than above.

test_list = [1, 4, 5, 8, 10]

print ["Original list : " + str[test_list]]

flag = 0

if[test_list == sorted[test_list]]:

    flag = 1

if [flag] :

    print ["Yes, List is sorted."]

else :

    print ["No, List is not sorted."]

Output :

Original list : [1, 4, 5, 8, 10] Yes, List is sorted.

Method #4 : Using all[]
Most elegant, pythonic and faster way to check for sorted list is the use of all[]. This uses the similar method as naive, but use of all[] make it quicker.

test_list = [9, 4, 5, 8, 10]

print ["Original list : " + str[test_list]]

flag = 0

if[all[test_list[i]

Chủ Đề