Delete a Node in Single Linked List

PROBLEM :
Delete xth node from a single linked list. Your task is to complete the method deleteNode which takes two arguments:  the address of the head of the linked list and an integer x. The function returns the head of the  modified linked list.

Input:
The first line of input contains an element T, denoting the no of test cases. Then T test cases follow. Each test case contains three lines. The first line of each test case contains an integer N denoting the no of elements of the linked list. Then in the next line are N space separated values of the linked list. The third line of each test case contains an integer x.

Output:
The output for each test case will be the space separated value of the returned linked list.

Constraints:
1<=T<=300
2<=N<=100
1<=x<=N

Example(To be used only for expected output):
Input:
2
3                      
1 3 4              
3                      
4
1 5 2 9                  
2

Output:
1 3          
1 2 9

--------------------------------------------------------------------------------
SIMPLE c++ IMPLEMENTATION :
--------------------------------------------------------------------------------

/* Link list Node
struct Node
{
    int data;
    Node* next;
};*/

/*You are required to complete below method*/

Node* deleteNode(Node *head,int x)
{
    if(head==NULL)
        return head ;
    Node *temp,*ptr ;

    if(x==1)
    {
        temp=head ;
        head=head->next ;
        free(temp) ;
        return head ;
    }
   
    ptr=head ;
    while(x!=2&&ptr!=NULL)
    {
        ptr=ptr->next ;
        x-- ;
    }
   
    if(ptr==NULL&&x!=1)
        return head ;
   
    temp=ptr->next ;
    ptr->next=temp->next ;
    free(temp) ;
   
    return head ;
}

---------------------------------------------------------------------------------

Comments

Popular posts from this blog

Count ways to N'th Stair(Order does not matter)

Replace all ‘0’ with ‘5’ in an input Integer

Chocolate Distribution Problem

Remove characters from the first string which are present in the second string

Primality Test ( CodeChef Problem code: PRB01 )