Simple Singly Linked List Example Program Using functions in C

Definition:

linked list is a linear collection of data elements, called nodes, each pointing to the next node by means of a pointer. It is a data structure consisting of a group of nodes which together represent a sequence. Under the simplest form, each node is composed of data and a reference (in other words, a link) to the next node in the sequence. This structure allows for efficient insertion or removal of elements from any position in the sequence during iteration. More complex variants add additional links, allowing efficient insertion or removal from arbitrary element references

Simple Singly Linked List Example Program using functions:

/* Simple Singly(Single) Linked List Example Program Using Functions in C*/
/* Data Structure Programs,C Linked List Examples */

#include <stdio.h>
#include <malloc.h>
#include <stdlib.h>

struct node {
  int value;
  struct node *next;
};

void insert(int);
void display();

typedef struct node DATA_NODE;

DATA_NODE *head_node, *first_node, *temp_node = 0;

int main() {
  int loop = 1;
  int data;
  first_node = 0;

  printf("Singly(Single) Linked List Example - Using Functions\n");

  while (loop) {
    printf("\nEnter Element for Insert Linked List (-1 to Exit ) : \n");
    scanf("%d", &data);

    if (data >= 0) {
      insert(data);
    } else {
      loop = 0;
      temp_node->next = 0;
    }
  }

  display();
  return 0;
}

void insert(int data) {
  temp_node = (DATA_NODE *) malloc(sizeof (DATA_NODE));

  temp_node->value = data;

  if (first_node == 0) {
    first_node = temp_node;
  } else {
    head_node->next = temp_node;
  }
  head_node = temp_node;
  fflush(stdin);
}

void display() {
  int count = 0;
  temp_node = first_node;
  printf("\nDisplay Linked List : \n");
  while (temp_node != 0) {
    printf("# %d # ", temp_node->value);
    count++;
    temp_node = temp_node -> next;
  }
  printf("\nNo Of Items In Linked List : %d", count);
}

Sample Output:

Singly(Single) Linked List Example - Using Functions

Enter Element for Insert Linked List (-1 to Exit ) :
555

Enter Element for Insert Linked List (-1 to Exit ) :
444

Enter Element for Insert Linked List (-1 to Exit ) :
333

Enter Element for Insert Linked List (-1 to Exit ) :
222

Enter Element for Insert Linked List (-1 to Exit ) :
111

Enter Element for Insert Linked List (-1 to Exit ) :
-1

Display Linked List :
# 555 # # 444 # # 333 # # 222 # # 111 #
No Of Items In Linked List : 5

------------------
(program exited with code: 0)

Press any key to continue . . .