#include <stdio.h>
#include <stdlib.h>
struct Node{
int data;
struct Node* prev;
struct Node* next;
};
struct Node* head = NULL;
struct Node* GetNewNode(int x){
struct Node* newNode = (struct Node*)malloc(sizeof(struct Node));
newNode -> data = x;
newNode -> next = NULL;
newNode -> prev = NULL;
return newNode;
}
void InsertAtHead(int x){
struct Node* newNode = GetNewNode(x);
if(head == NULL){
head = newNode;
Print();
return;
}
newNode -> next = head;
head -> prev = newNode;
head = newNode;
Print();
}
void InsertAtTail(int x){
struct Node* newNode = GetNewNode(x);
if(head == NULL){
head = newNode;
Print();
return;
}
struct Node* temp = head;
while(temp -> next != NULL){
temp = temp -> next;
}
temp -> next = newNode;
newNode -> prev = temp;
Print();
}
void Print(){
struct Node* temp = head;
while(temp != NULL){
printf("%d ",temp -> data);
temp = temp -> next;
}
printf("\n");
}
int main () {
InsertAtHead(1);
InsertAtHead(5);
InsertAtHead(9);
InsertAtTail(16);
InsertAtTail(8);
InsertAtTail(6);
}