Reverse linked list C
reverse.txt
File size: 2.13 KB
File content type: text/plain
Category: Practical Files
Write a program (WAP) in C to reverse a linked list iterative and recursive. PPL Practical Question.
#include <stdio.h>
struct Node
{
int data;
struct Node* next;
};
/* Function to reverse the linked list */
static void reverse(struct Node** head_ref)
{
struct Node* prev = NULL;
struct Node* current = *head_ref;
struct Node* next = NULL;
while (current != NULL)
{
// Store next
next = current->next;
// Reverse current node's pointer
current->next = prev;
// Move pointers one position ahead.
prev = current;
current = next;
}
*head_ref = prev;
}
/* Function to push a node */
void push(struct Node** head_ref, int new_data)
{
struct Node* new_node =
(struct Node*) malloc(sizeof(struct Node));
new_node->data = new_data;
new_node->next = (*head_ref);
(*head_ref) = new_node;
}
/* Function to print linked list */
void printList(struct Node *head)
{
struct Node *temp = head;
while(temp != NULL)
{
printf("%d ", temp->data);
temp = temp->next;
}
}
void recursiveReverse(struct Node** head_ref)
{
struct Node* first;
struct Node* rest;
/* empty list */
if (*head_ref == NULL)
return;
/* suppose first = {1, 2, 3}, rest = {2, 3} */
first = *head_ref;
rest = first->next;
/* List has only one node */
if (rest == NULL)
return;
/* reverse the rest list and put the first element at the end */
recursiveReverse(&rest);
first->next->next = first;
/* tricky step -- see the diagram */
first->next = NULL;
/* fix the head pointer */
*head_ref = rest;
}
/* Driver program to test above function*/
int main()
{
/* Start with the empty list */
struct Node* head = NULL;
push(&head, 20);
push(&head, 4);
push(&head, 15);
push(&head, 85);
printf("Given linked list\n");
printList(head);
recursiveReverse(&head);
printf("\nReversed Linked list \n");
printList(head);
getchar();
}
Related searches: C program to reverse a linked list, recursive reverse linked list, iterative reverse linked list.
Last Updated: July 17, 2022
Related
Data Mining Practical File Exp 1-7
Category: Practical FilesJuly 16, 2022
Business Environment Notes Unit 3
Category: NotesJuly 17, 2022
Foundation of Computer Science Notes PDF
Category: NotesJuly 16, 2022
IPU 6th sem CSE Syllabus
Category: SyllabusJuly 17, 2022
IPU Sales and Distribution Management Notes Unit 4
Category: NotesJuly 17, 2022
SNT Unit 3
Category: NotesJuly 17, 2022
Human Values and Professional Ethics Notes PDF
Category: NotesJuly 16, 2022
Marketing Management Notes Unit 1
Category: NotesJuly 17, 2022
EHVACDC unit 4
Category: NotesJuly 17, 2022
EHVACDC Unit 2 Extra High Voltage Testing
Category: NotesJuly 17, 2022