DEV Community

newAlicorn
newAlicorn

Posted on

Intro to Linked List

1. What is a Node?
We can think of a node as a container for some data. It can be conceptually visualized as a circle that we can put some data inside. We can store any data type in a node. Each node has two attributes: value and next.

  • tail - the very last node that has its next pointer pointing to nothing or has its next set to null.
  • head - the very first node. A head has a position of 0. As long as we know where the list starts, we can always traverse it to access all other nodes in the list by using the next property.

2. What is a Linked List?
A linked list contains a bunch of nodes linked together. We can consider a linked list ordered data structure. The head node denotes the start of the list.

3. Linked Lists & Arrays

  • An array must be stored contiguously (right next to each other) in memory.
  • An linked list does not require its nodes stored contiguously in memory.

Linked List Traversal
If I want to traverse through a linked list and print out the value of every node, I would need to continually update a current pointer. In the context of my function, the only important variable I am going to track is current, which starts at the head of my linked list.

  • Iterative Traversal
const printLinkedList = (head) => { 
  let current = head; 

  while (current !== null) { 
    console.log(current.val); 
    current = current.next; 
  }

}
Enter fullscreen mode Exit fullscreen mode
  • Recursive Traversal
const printRecursive = (head) => { 
  let current = head; 
  if (current === null) return;

  console.log(current.val);

  printRecursive(current.next);
} 
Enter fullscreen mode Exit fullscreen mode

Top comments (0)