Notes DS Notes1
Notes DS Notes1
The singly linked list is a linear data structure in which each element of the list contains a
pointer which points to the next element in the list. Each element in the singly linked list
is called a node. Each node has two components: data and a pointer next which points
to the next node in the list. The first node of the list is called as head. The last node of
the list contains a pointer to the none.
Consider the above example; node 1 is the head of the list and node 4 is the tail of the
list. Each node is connected in such a way that node 1 is pointing to node 2 which in turn
pointing to node 3. Node 3 is again pointing to node 4. Node 4 is pointing to null as it is
the last node of the list.
Algorithm
1. Create a class SLLNode which has two attributes: data and next. Next is a pointer to the
next node.
2. Create another class which has two attributes: head and tail.
3. Create function will add a new node to the list:
1. Create a new node.
2. It first checks, whether the head is equal to null which means the list is empty.
3. If the list is empty,head will point to the newly added node.
4. If the list is not empty, the new node will be added to end of the list such that
current of next will point to the newly added node.
4. display() will display the nodes present in the list:
1. Define a node current which initially points to the head of the list.
2. Traverse through the list till current points to null.
3. Display each node by making current to point to node next to it in each iteration.
class singlylinkedlist:
#represent the head of the singly linked list
def __init__(self):
self.head = none
def display(self):
#node current will point to head
current = self.head;
if self.head is none:
print("list is empty")
return;
print("nodes of singly linked list: ")
while current is not none:
print(current.data)
current = current.next;
A circular linked list is a type of linked list in which the last node of the list points back to the first
node (head), forming a loop or circle.
class circularlinkedlist:
#represent the head of the circular linked list
def __init__(self):
self.head = none
def display(self):
#node current will point to head
current = self.head;
if self.head is none:
print("list is empty")
return;
print("nodes of singly linked list: ")
while current !=self.head:
print(current.data)
current = current.next;