Insert value into sorted linked list Python

Table of Contents

  • In this algorithm, we will insert elements in the linkedlist in a sorted way ie, data values from low to high in ascending order
    • Example
  • Algorithm
  • C++ Program

In this algorithm, we will insert elements in the linkedlist in a sorted way ie, data values from low to high in ascending order

Example

Algorithm

1. If the head node is Null, then insert the data in the head node.
2. else, if the input data is less than the start node, then insert the node at the start
3. if the input data is greater than the start node, till you get the right position to insert, move the temporary pointer. If the temporary pointers next value is null, then insert the node at the end.
4. If the element lies between any two values, then connect the node to the previous node and the next node ie, t->next = temp->next and temp->next = t.

C++ Program

#include using namespace std; struct LL{ int data; LL *next; }; void sortedInsert[struct LL**head , int X] { LL*temp = *head ; LL *t = new LL; //if list is empty if[*head==NULL] { *head = new LL; [*head]->data = X; [*head]->next = NULL; } else { if[X < temp->data] //start node { t = new LL; t->data = X; t->next = *head; *head = t; } else { while[temp->next != NULL and ![X < temp->next->data && X >= temp->data]] //as it is sorted so X must lie between the consecutive values or else at end temp=temp->next; if[temp->next == NULL] //X will go to end { temp->next = new LL; temp = temp->next; temp->data = X; temp->next = NULL; } else //X is inserted in between some nodes in list { t = new LL; t->data = X; t->next = temp->next; //make the new node's next as the next of current node because the 't' node will lie between consecutive nodes temp->next = t; } } } } void display[struct LL**head] { struct LL*temp=*head; while[temp!=NULL] { if[temp->next!=NULL] cout

Chủ Đề