Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Added Recursive Reverse in Doubly Linked Lists #144

Merged
merged 1 commit into from
May 28, 2021
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
102 changes: 102 additions & 0 deletions Data Structures/Linked Lists/Doubly Linked List/recursive_reverse.cpp
Original file line number Diff line number Diff line change
@@ -0,0 +1,102 @@
/*
This is a Doubly Linked List program which reverses the Linked List byt reversing its pointer links.
Since, it is a Doubly Linked List, both the forward and backward traversal is also possible.
*/

#include <iostream>

using namespace std;

/*
Node definition:
1. Pointer to previous node.
2. Integer Data
3. Pointer to next node.
*/

class dll_node {
public:
dll_node* prev;
int data;
dll_node* next;
};

void createDLL(dll_node* &head) {

int choice;

dll_node* temp = head;

do {

int data;

cout << "Enter Data : ";
cin >> data;

dll_node* newNode = new dll_node();
newNode->data = data;
newNode->prev = NULL;
newNode->next = NULL;

if(head == NULL) {
head = newNode;
temp = head;
} else {
temp->next = newNode;
newNode->prev = temp;
temp = newNode;
}

cout << "Do you want to continue? (1/0) : ";
cin >> choice;

} while(choice == 1);


}

dll_node* recursive_reverse(dll_node* head) {

if(head == NULL || head->next == NULL)
return head;

dll_node* temp = head->next;
temp->prev = NULL;

dll_node* newHead = recursive_reverse(temp);
temp->next = head;
head->prev = temp;
head->next = NULL;
return newHead;
}

void display(dll_node* head) {
cout << "The elements are : ";
while(head != NULL) {
cout << head->data << " ";
head = head->next;
}
cout << endl;
}

int main() {

dll_node* head = NULL;

createDLL(head);

cout << "Before reversing : " << endl;
display(head);

head = recursive_reverse(head);

cout << "After reversing : " << endl;
display(head);

return 0;
}