Top Qs
Timeline
Chat
Perspective

Sentinel node

Computer programming concept From Wikipedia, the free encyclopedia

Remove ads

In computer programming, a sentinel node is a specifically designated node used with linked lists and trees as a traversal path terminator. This type of node does not hold or reference any data managed by the data structure.

Remove ads

Benefits

Sentinels are used as an alternative over using NULL as the path terminator in order to get one or more of the following benefits:

  • Marginally increased speed of operations
  • Increased data structure robustness (arguably)

Drawbacks

  • Marginally increased memory usage, especially when linked list is short.

Examples

Summarize
Perspective

Search in a linked list

Below are two versions of a subroutine (implemented in the C programming language) for looking up a given search key in a singly linked list. The first one uses the sentinel value NULL, and the second one a (pointer to the) sentinel node Sentinel, as the end-of-list indicator. The declarations of the singly linked list data structure and the outcomes of both subroutines are the same.

// one node of the singly linked list
typedef struct SinglyLinkedList {
    int key;
    struct SinglyLinkedList* next; // end-of-list indicator or -> next node
} SinglyLinkedList;

First version using NULL as an end-of-list indicator

// global initialization
SinglyLinkedList* first = NULL; // before the first insertion (not shown)

SinglyLinkedList* search(SinglyLinkedList* first, int searchKey) {
    for (SinglyLinkedList* node = first; node; node = node->next) {
        if (node->key == searchKey) {
            return node; // found
        }
    }
    // if searchKey is not contained in the list, return null:
    return NULL;
}

The for-loop contains two tests (yellow lines) per iteration:

  • node != NULL;
  • if (node->key == searchKey).

Second version using a sentinel node

The globally available pointer SENTINEL is used as end-of-list indicator.

// global variable
const SinglyLinkedList* SENTINEL = NULL;

Note that the pointer sentinel has always to be kept at the end of the list. This has to be maintained by the insert and delete functions. It is, however, about the same effort as when using a NULL pointer.

SinglyLinkedList* searchWithSentinelNode(SinglyLinkedList* first, int searchKey) {
    // Prepare the "node" Sentinel for the search:
    SinklyLinkedList* node = first;
    while (node->key != searchKey) {
        node = node->next;
    }

    // Post-processing:
    if (node != SENTINEL) {
        return node; // found
    }

    // searchKey is not contained in the list:
    return NULL;
}

The for-loop contains only one test (yellow line) per iteration:

  • node->key != searchKey;.

Python implementation of a circular doubly-linked list

Linked list implementations, especially one of a circular, doubly-linked list, can be simplified remarkably using a sentinel node to demarcate the beginning and end of the list.

  • The list starts out with a single node, the sentinel node which has the next and previous pointers point to itself. This condition determines if the list is empty.
  • In a non-empty list, the sentinel node's next pointer gives the head of the list, and the previous pointer gives the tail of the list.

Following is a Python implementation of a circular doubly-linked list:

from typing import Generator, Optional

class Node:
    self: int
    next: Node
    prev: Node

    def __init__(self, data: int, next: Node = None, prev: Node = None) -> None:
        self.data = data
        self.next = next
        self.prev = prev

    def __repr__(self) -> str:
        return f"Node(data={self.data})"

class LinkedList:
    self.sentinel: Node

    def __init__(self) -> None:
        self.sentinel = Node(data=None)
        self.sentinel.next = self.sentinel
        self.sentinel.prev = self.sentinel

    def pop_left(self) -> Node:
        return self.remove_by_ref(self.sentinel.next)

    def pop(self) -> Node:
        return self.remove_by_ref(self.sentinel.prev)

    def append_nodeleft(self, node: Node) -> None:
        self.add_node(self.sentinel, node)

    def append_node(self, node: Node) -> None:
        self.add_node(self.sentinel.prev, node)

    def append_left(self, data: int) -> None:
        self.append_nodeleft(Node(data=data))

    def append(self, data: int) -> None:
        self.append_node(Node(data=data))

    def remove_by_ref(self, node: Node) -> Node:
        if node is self.sentinel:
            raise ValueError("Can never remove sentinel.")

        node.prev.next = node.next
        node.next.prev = node.prev
        node.prev = None
        node.next = None
        return node

    def add_node(self, curnode: Node, newnode: Node) -> None:
        newnode.next = curnode.next
        newnode.prev = curnode
        curnode.next.prev = newnode
        curnode.next = newnode

    def search(self, value: int) -> Optional[Node]:
        self.sentinel.data = value
        node = self.sentinel.next
        while node.data != value:
            node = node.next
        self._sentinel.data = None
        if node is self.sentinel:
            return None
        return node

    def __iter__(self) -> Generator[int, None, None]:
        node = self.sentinel.next
        while node is not self.sentinel:
            yield node.data
            node = node.next

    def reviter(self) -> Generator[int, None, None]:
        node = self.sentinel.prev
        while node is not self.sentinel:
            yield node.data
            node = node.prev

Notice how the add_node() method takes the node that will be displaced by the new node in the parameter curnode. For appending to the left, this is the head of a non-empty list, while for appending to right, it is the tail. But because of how the linkage is set up to refer back to the sentinel, the code just works for empty lists as well, where curnode will be the sentinel node.

Search in a binary tree

General declarations, similar to article Binary search tree:

// one node of the binary search tree
typedef struct BinarySearchTree {
    int key;
    // each: ->node  or  end-of-path indicator
    struct BinarySearchTree* left;
    struct BinarySearchTree* right;
} BinarySearchTree;

The globally available pointer SENTINEL is used as end-of-list indicator.

// global variable
const BinarySearchTree* SENTINEL = NULL;

BinarySearchTree* bst;
bst->root = SENTINEL; // before the first insertion (not shown)

Note that the pointer sentinel has always to represent every leaf of the tree. This has to be maintained by the insert and delete functions. It is, however, about the same effort as when using a NULL pointer.

BinarySearchTree* searchWithSentinelNode(BinarySearchTree* bst, int searchKey) {
    BinarySearchTree* node;
 
    while (node->Key != searchKey) {
        if (search_key < node->key) {
            node = node->left; // go left
        } else {
            node = node->right; // go right
        }
    }
 
    // Post-processing:
    if (node != SENTINEL) {
        return node; // found
    }
    // searchKey is not contained in the tree: return null
    return NULL;
}

Remarks

  1. With the use of searchWithSentinelNode searching loses the read-only property. This means that in applications with concurrency it has to be protected by a mutex, an effort which normally exceeds the savings of the sentinel.
  2. searchWithSentinelNode does not support the tolerance of duplicates.
  3. There has to be exactly one “node” to be used as sentinel, but there may be extremely many pointers to it.
Remove ads

See also

References

Loading related searches...

Wikiwand - on

Seamless Wikipedia browsing. On steroids.

Remove ads