Write a GetNth() function that takes a linked list and an integer index and returns the data value stored in the node at that index position.
Example:
Input: 1->10->30->14, index = 2
Output: 30
The node at index 2 is 30
Algorithm:
1. Initialize count = 0
2. Loop through the link list
a. if count is equal to the passed index then return current
node
b. Increment count
c. change current to point to next of the current.
[ad type=”banner”]
C Programming:
#include <stdio.h>
#include <stdlib.h>
#include <assert.h>
struct node
{
int data;
struct node* next;
};
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;
}
int GetNth(struct node* head, int index)
{
struct node* current = head;
int count = 0;
while (current != NULL)
{
if (count == index)
return(current->data);
count++;
current = current->next;
}
assert(0);
}
int main()
{
struct node* head = NULL;
push(&head, 1);
push(&head, 4);
push(&head, 1);
push(&head, 12);
push(&head, 1);
printf("Element at index 3 is %d", GetNth(head, 3));
getchar();
}
Output:
Element at index 3 is 4
Time Complexity: O(n)
[ad type=”banner”]