Home » Program to Sort the Elements of the Circular Linked List

Program to Sort the Elements of the Circular Linked List

by Online Tutorials Library

Q. Program to sort the elements of the circular linked list.

Explanation

In this program, we will create a circular linked list and sort the list in ascending order. In this example, we maintain two nodes: current which will point to head and index which will point to next node to current. The first loop, keep track of current and second loop will keep track of index. In the first iteration, current will point to 9. The index will point to node next to current which in this case is 5. 9 is compared with 5, since 9 > 5, swap data of index node with the current node. Now, the current will have 5. Now, 5 will be compared to 2. Again 5 > 2, swap the data. Now current will hold 2 and index will hold 7. 2 < 7, nothing will be done. The index will be incremented and pointed to 3. 2 < 3. Nothing will be done. In this way, we will have a minimum value node in the first position. Then, we will keep on finding minimum element in the rest of the list until the list is completely sorted.

9->5->2->7->3
2->9->5->7->3
2->3->9->7->5
2->3->5->9->7
2->3->5->7->9

Algorithm

  1. Define a Node class which represents a node in the list. It has two properties data and next which will point to the next node.
  2. Define another class for creating a circular linked list, and it has two nodes: head and tail.
  3. sortList() will sort the list:
    1. We will maintain two nodes current which points to head, and index will point to node next to current.
    2. Traverse through the list starting from index till the end is reached.
    3. If current.data is greater than the index.data, swap the data between them.
    4. At the first iteration, we will get minimum element at the start of the list.
    5. Then current will point to current.next.
    6. Repeat steps b to e till we get next minimum node.
    7. At the end of both the loop, the list will be sorted.

Solution

Python

Output:

Original list:    70 90 20 100 50  Sorted list:    20 50 70 90 100  

C

Output:

Original list:    70 90 20 100 50  Sorted list:    20 50 70 90 100  

JAVA

Output:

Original list:    70 90 20 100 50  Sorted list:    20 50 70 90 100  

C#

Output:

Original list:    70 90 20 100 50  Sorted list:    20 50 70 90 100  

PHP

Output:

Original list:    70 90 20 100 50  Sorted list:    20 50 70 90 100  

Next Topic#

You may also like