Sample Linked Lists Chapter (Data Structure and Algorithmic Thinking With Python)
Sample Linked Lists Chapter (Data Structure and Algorithmic Thinking With Python)
Chapter
Linked Lists 3
3.1 What is a Linked List?
A linked list is a data structure used for storing collections of data. A linked list has the following properties.
Successive elements are connected by pointers
The last element points to NULL
Can grow or shrink in size during execution of a program
Can be made just as long as required (until systems memory exhausts)
Does not waste memory space (but takes some extra memory for pointers)
4 15 7 40 NULL
Head
3 2 1 2 2 3
Index 0 1 2 3 4 5
Advantages of Arrays
Simple and easy to use
Faster access to the elements (constant access)
Disadvantages of Arrays
Fixed size: The size of the array is static (specify the array size before using it).
One block allocation: To allocate the array itself at the beginning, sometimes it may not be possible to
get the memory for the complete array (if the array size is big).
Complex position-based insertion: To insert an element at a given position, we may need to shift the
existing elements. This will create a position for us to insert the new element at the desired position. If
the position at which we want to add an element is at the beginning, then the shifting operation is more
expensive.
Dynamic Arrays
Dynamic array (also called , , , or ) is a random access,
variable-size list data structure that allows elements to be added or removed.
One simple way of implementing dynamic arrays is to initially start with some fixed size array. As soon as that
array becomes full, create the new array double the size of the original array. Similarly, reduce the array size to
half if the elements in the array are less than half.
Note: We will see the implementation for in the , and chapters.
Head
Following is a type declaration for a linked list of integers:
#Node of a Singly Linked List
class Node:
#constructor
def __init__(self):
self.data = None
self.next = None
#method for setting the data field of the node
def setData(self,data):
self.data = data
#method for getting the data field of the node
def getData(self):
return self.data
#method for setting the next field of the node
def setNext(self,next):
self.next = next
#method for getting the next field of the node
def getNext(self):
return self.next
#returns true if the node points to another node
def hasNext(self):
return self.next != None
Display the contents of the nodes (or count) as they are traversed.
Stop when the next pointer points to NULL.
5 1 17 4 NULL
Head
The ListLength() function takes a linked list as input and counts the number of nodes in the list. The function
given below can be used for printing the list data with extra print function.
def listLength(self):
current = self.head
count = 0
while current != None:
count = count + 1
current = current.getNext()
return count
Time Complexity: O(), for scanning the list of size .
Space Complexity: O(1), for creating a temporary variable.
Note: To insert an element in the linked list at some position , assume that after inserting the element the
position of this new node is .
Update the next pointer of new node, to point to the current head.
New node
data 15 7 40 NULL
head
Update head pointer to point to the new node.
New node
data 15 7 40 NULL
Head
#method for inserting a new node at the beginning of the Linked List (at the head)
def insertAtBeginning(self,data):
newNode = Node()
newNode.setData(data)
if self.length == 0:
self.head = newNode
else:
newNode.setNext(self.head)
self.head = newNode
self.length += 1
4 15 7 0 data NULL
Head
4 15 7 40 NULL
Head
Position node
4 15 7 40 NULL
Head
data
New node
Position node
4 15 7 40 NULL
Head data
New node
Let us write the code for all three cases. We must update the first element pointer in the calling function, not
just in the called function. For this reason we need to send a double pointer. The following code inserts a node
in the singly linked list.
#Method for inserting a new node at any position in a Linked List
def insertAtPos(self,pos,data):
if pos > self.length or pos < 0:
return None
else:
if pos == 0:
self.insertAtBeg(data)
else:
if pos == self.length:
self.insertAtEnd(data)
else:
newNode = Node()
newNode.setData(data)
count = 0
current = self.head
while count < pos-1:
count += 1
current = current.getNext()
newNode.setNext(current.getNext())
current.setNext(newNode)
self.length += 1
Note: We can implement the three variations of the operation separately.
Time Complexity: O(), since, in the worst case, we may need to insert the node at the end of the list.
Space Complexity: O(1), for creating one temporary variable.
4 15 7 40 NULL
Head Temp
Now, move the head nodes pointer to the next node and dispose of the temporary node.
4 15 7 40 NULL
Temp Head
#method to delete the first node of the linked list
def deleteFromBeginning(self):
if self.length == 0:
print "The list is empty"
else:
self.head = self.head.getNext()
self.length -= 1
4 15 7 40 NULL
4 15 7 40 NULL
4 15 7 40 NULL
4 15 7 40 NULL
4 15 7 40 NULL
currentnode = self.head
previousnode = self.head
if pos > self.length or pos < 0:
print "The position does not exist. Please enter a valid position"
else:
while currentnode.next != None or count < pos:
count = count + 1
if count == pos:
previousnode.next = currentnode.next
self.length -= 1
return
else:
previousnode = currentnode
currentnode = currentnode.next
Time Complexity: O(). In the worst case, we may need to delete the node at the end of the list.
Space Complexity: O(1), for one temporary variable.
data 15 7 40 NULL
NULL NULL
Update head nodes left pointer to point to the new node and make new node as head.
Head
data 15 7 40 NULL
NULL
4 15 7 data
4 15 7 data
NULL NULL
def insertAtEnd(self, data):
if (self.head == None): # To imply that if head == None
self.head = Node(data)
self.tail = self.head
else:
current = self.head
while(current.getNext() != None):
current = current.getNext()
current.setNext(Node(data, None, current))
self.tail = current.getNext()
4 15 7 40 NULL
Head
data
New node
Position node right pointer points to the new node and the of position node left pointer points
to new node.
4 15 7 40 NULL
Head data
New node
Now, let us write the code for all of these three cases. We must update the first element pointer in the calling
function, not just in the called function. For this reason we need to send a double pointer. The following code
inserts a node in the doubly linked list.
NULL
4 15 7 40 NULL
Head Temp
Now, move the head nodes pointer to the next node and change the heads left pointer to NULL. Then,
dispose of the temporary node.
NULL
4 15 7 40 NULL
NULL
Temp Head
Traverse the list and while traversing maintain the previous node address also. By the time we reach the
end of the list, we will have two pointers, one pointing to the tail and the other pointing to the node
before the tail.
NULL
4 15 7 40 NULL
Update the next pointer of previous node to the tail node with NULL.
NULL
NULL
4 15 7 40 NULL
4 15 7 40 NULL
Similar to the previous case, maintain the previous node while also traversing the list. Upon locating the
node to be deleted, change the previous nodes next pointer to the next node of the node to be deleted.
4 15 7 40 NULL
4 15 7 40 NULL
self.data = None
self.next = None
#method for setting the data field of the node
def setData(self,data):
self.data = data
#method for getting the data field of the node
def getData(self):
return self.data
#method for setting the next field of the node
def setNext(self,next):
self.next = next
#method for getting the next field of the node
def getNext(self):
return self.next
#returns true if the node points to another node
def hasNext(self):
return self.next != None
In a circular linked list, we access the elements using the node (similar to node in singly linked list
and doubly linked lists).
4 15 7 40
Head
The circular list is accessible through the node marked . To count the nodes, the list has to be traversed
from the node marked , with the help of a dummy node , and stop the counting when reaches
the starting node . If the list is empty, will be NULL, and in that case set = 0. Otherwise, set the
current pointer to the first node, and keep on counting till the current pointer reaches the starting node.
#This method would be a member of other class (say, CircularList)
def circularListLength(self):
currentNode = self.head
if currentNode == None:
return 0
count = 1
currentNode = currentNode.getNext()
while currentNode != self.head:
currentNode = currentNode.getNext()
count = count + 1
retur count
Time Complexity: O(), for scanning the complete list of size . Space Complexity: O(1), for temporary variable.
4 15 7 40
Head
We assume here that the list is being accessed by its node. Since all the nodes are arranged in a circular
fashion, the node of the list will be the node previous to the node. Let us assume we want to print the
contents of the nodes starting with the node. Print its contents, move to the next node and continue
printing till we reach the node again.
def printCircularList(self):
currentNode = self.head
if currentNode == None: return 0
print (currentNode.getData())
currentNode = currentNode.getNext()
while currentNode != self.head:
currentNode = currentNode.getNext()
print (currentNode.getData())
Time Complexity: O(), for scanning the complete list of size . Space Complexity: O(1), for temporary variable.
4 15 7 40
data
Head
New node
Update the next pointer of the new node with the head node and also traverse the list to the tail. That
means in a circular list we should stop at the node whose next node is head.
4 15 7 40
data
Head
New node
Update the next pointer of the previous node to point to the new node and we get the list as shown
below.
4 15 17 40 data
Head
def insertAtEndInCLL (self, data):
current = self.head
newNode = Node()
newNode.setData(data)
while current.getNext != self.head:
current = current.getNext()
newNode.setNext(newNode)
if self.head == None:
self.head = newNode;
else:
newNode.setNext(self.head)
current.setNext(newNode)
Time Complexity: O(), for scanning the complete list of size . Space Complexity: O(1), for temporary variable.
4 15 7 40
data
New node
Head
Update the next pointer of the new node with the head node and also traverse the list until the tail. That
means in a circular list we should stop at the node which is its previous node in the list.
4 15 7 40
Update the previous head node in the list to point to the new node.
4 15 7 40
Head data
New node
data 4 15 7 40
Head
def insertAtBeginInCLL (self, data):
current = self.head
newNode = Node()
newNode.setData(data)
while current.getNext != self.head:
current = current.getNext()
newNode.setNext(newNode)
if self.head == None:
self.head = newNode;
else:
newNode.setNext(self.head)
current.setNext(newNode)
self.head = newNode
Time Complexity: O(), for scanning the complete list of size . Space Complexity: O(1), for temporary variable.
60 4 15 7 40
60 4 15 7 40
60 4 15 7 40
60 4 15 7 40
Create a temporary node which will point to the head. Also, update the tail nodes next pointer to point
to next node of head (as shown below).
Temp
60 4 15 7 40
Previous node to
Node to be
deleting node
deleted
Head
Now, move the head pointer to next node. Create a temporary node which will point to head. Also,
update the tail nodes next pointer to point to next node of head (as shown below).
Temp
60 4 15 7 40
self.next = None
#method for setting the data field of the node
def setData(self,data):
self.data = data
#method for getting the data field of the node
def getData(self):
return self.data
#method for setting the next field of the node
def setNext(self,next):
self.next = next
#method for getting the next field of the node
def getNext(self):
return self.next
#returns true if the node points to another node
def hasNext(self):
return self.next != None
Recently a journal (Sinha) presented an alternative implementation of the doubly linked list ADT, with insertion,
traversal and deletion operations. This implementation is based on pointer difference. Each node uses only one
pointer field to traverse the list back and forth.
New Node Definition
class Node:
#constructor
def __init__(self):
self.data = None
self.ptrdiff = None
#method for setting the data field of the node
def setData(self,data):
self.data = data
#method for getting the data field of the node
def getData(self):
return self.data
#method for setting the pointer difference field of the node
def setPtrDiff(self, prev, next):
self.ptrdiff = prev ^ next
#method for getting the next field of the node
def getPtrDiff(self):
return self.ptrdiff
A B C D NULL
Head
Pointer differences
The pointer field contains the difference between the pointer to the next node and the pointer to the
previous node. The pointer difference is calculated by using exclusive-or () operation.
= .
The of the start node (head node) is the of NULL and node (next node to head). Similarly, the
of end node is the of node (previous to end node) and NULL. As an example, consider the
following linked list.
In the example above,
The next pointer of A is: NULL B
The next pointer of B is: A C
The next pointer of C is: B D
The next pointer of D is: C NULL
XX=0
X0=X
X Y = Y X (symmetric)
(X Y) Z = X (Y Z) (transitive)
For the example above, let us assume that we are at C node and want to move to B. We know that Cs is
defined as B D. If we want to move to B, performing on Cs with D would give B. This is due to the
fact that
(B D) D = B (since, D D=0)
Similarly, if we want to move to D, then we have to apply to Cs with B to give D.
(B D) B = D (since, B B=0)
From the above discussion we can see that just by using a single pointer, we can move back and forth. A
memory-efficient implementation of a doubly linked list is possible with minimal compromising of timing
efficiency.
List Head
10 1 30 6 70 3 45 2 91 19 4 17 /
Assume that there will be no more than elements in the unrolled linked list at any time. To simplify this
problem, all blocks, except the last one, should contain exactly elements. Thus, there will be no more than
blocks at any time.
10 1 30 6 70 3 45 2 91 19 4 17 /
List Head
10 1 22 30 6 70 3 45 2 19 4 17 /
10 1 22 30 6 70 3 45 2 19 4 17 /
70 3 45 19 4 17
2. In block , move the next pointer of the head node to point to the second-to-last node, so that the
tail node of can be removed.
temp
A B
70 3 45 19 4 17
3. Let the next pointer of the node, which will be shifted (the tail node of ), point to the tail node of .
A B
70 3 19 4 17
45
temp
4. Let the next pointer of the head node of point to the node temp points to.
A B
70 3 19 4 17
45
temp
5. Finally, set the head pointer of to point to the node points to. Now the node temp points to
becomes the new head node of .
A B
70 3 45 19 4 17
temp
6. pointer can be thrown away. We have completed the shift operation to move the original tail
node of to become the new head node of .
A B
70 3 45 19 4 17
Performance
With unrolled linked lists, there are a couple of advantages, one in speed and one in space. First, if the number
of elements in each block is appropriately sized (e.g., at most the size of one cache line), we get noticeably better
cache performance from the improved memory locality. Second, since we have O(/) links, where is the
number of elements in the unrolled linked list and is the number of elements we can store in any block, we
can also save an appreciable amount of space, which is particularly noticeable if each element is small.
Implementation
#Node of a Singly Linked List
class Node:
#constructor
def __init__(self):
self.value = None
self.next = None
#Node of a Singly Linked List
class LinkedBlock:
#constructor
def __init__(self):
self.head = None
self.next = None
nodeCount = 0
blockSize = 2
blockHead = None
#create an empty block
def newLinkedBlock():
block=LinkedBlock()
block.next=None
block.head=None
block.nodeCount=0
return block
#create a node
def newNode(value):
temp=Node()
temp.next=None
temp.value=value
return temp
def searchElements(blockHead, k):
#find the block
j=(k+blockSize-1)//blockSize #k-th node is in the j-th block
p=blockHead
j -= 1
while(j):
p=p.next
j -= 1
fLinkedBlock=p
#find the node
q=p.head
k=k%blockSize
if(k==0):
k=blockSize
k = p.nodeCount+1-k
k -= 1
while (k):
q=q.next
k -= 1
fNode=q
return fLinkedBlock, fNode
#start shift operation from block *p
def shift(A):
B=A
global blockHead
while(A.nodeCount > blockSize): #if this block still have to shift
if(A.next==None): #reach the end. A little different
A.next=newLinkedBlock()
B=A.next
temp=A.head.next
A.head.next=A.head.next.next
B.head=temp
temp.next=temp
A.nodeCount -= 1
B.nodeCount += 1
else:
B=A.next
temp=A.head.next
A.head.next=A.head.next.next
temp.next=B.head.next
B.head.next=temp
B.head=temp
A.nodeCount -= 1
B.nodeCount += 1
A=B
def addElement(k, x):
global blockHead
r = newLinkedBlock()
p = Node()
if(blockHead == None): #initial, first node and block
blockHead=newLinkedBlock()
blockHead.head=newNode(x)
blockHead.head.next=blockHead.head
blockHead.nodeCount += 1
else:
if(k==0): #special case for k=0.
p=blockHead.head
q=p.next
p.next=newNode(x)
p.next.next=q
blockHead.head=p.next
blockHead.nodeCount += 1
shift(blockHead)
else:
r, p = searchElements(blockHead, k)
q=p
while(q.next != p):
q=q.next
q.next=newNode(x)
q.next.next=p
r.nodeCount += 1
shift(r)
return blockHead
def searchElement(blockHead, k):
q, p = searchElements(blockHead, k)
return p.value
blockHead = addElement(0,11)
blockHead = addElement(0,21)
blockHead = addElement(1,19)
blockHead = addElement(1,23)
blockHead = addElement(2,16)
blockHead = addElement(2,35)
searchElement(blockHead, 1)
In an ordinary sorted linked list, search, insert, and delete are in O() because the list must be scanned node-
by-node from the head to find the relevant node. If somehow we could scan down the list in bigger steps (skip
down, as it were), we would reduce the cost of scanning. This is the fundamental idea behind Skip Lists.
This section gives algorithms to search for, insert and delete elements in a dictionary or symbol table. The
Search operation returns the contents of the value associated with the desired key or failure if the key is not
present. The Insert operation associates a specified key with a new value (inserting the key if it had not already
been present). The Delete operation deletes the specified key. It is easy to support additional operations such as
find the minimum key or find the next key.
Each element is represented by a node, the level of which is chosen randomly when the node is inserted without
regard for the number of elements in the data structure. A level i node has i forward pointers, indexed 1 through
i. We do not need to store the level of a node in the node. Levels are capped at some appropriate constant
. The level of a list is the maximum level currently in the list (or 1 if the list is empty). The header of a
list has forward pointers at levels one through MaxLevel. The forward pointers of the header at levels higher
than the current maximum level of the list point to NULL.
Initialization
An element NIL is allocated and given a key greater than any legal key. All levels of all skip lists are terminated
with NIL. A new list is initialized so that the level of the list is equal to 1 and all forward pointers of the lists
header point to NIL.
Performance
In a simple linked list that consists of elements, to perform a search comparisons are required in the worst
case. If a second pointer pointing two nodes ahead is added to every node, the number of comparisons goes
down to /2 + 1 in the worst case. Adding one more pointer to every fourth node and making them point to the
fourth node ahead reduces the number of comparisons to /2 + 2. If this strategy is continued so that every
node with pointers points to 2 1 nodes ahead, O() performance is obtained and the number of pointers
has only doubled ( + /2 + /4 + /8 + /16 + .... = 2).
The find, insert, and remove operations on ordinary binary search trees are efficient, O(), when the input
data is random; but less efficient, O(), when the input data is ordered. Skip List performance for these same
operations and for any data set is about as good as that of randomly-built binary search trees - namely O().
Implementation
import random
import math
class Node(object):
def __init__(self, data, level=0):
self.data = data
self.next = [None] * level
def __str__(self):
return "Node(%s,%s)" % (self.data, len(self.next))
__repr__ = __str__
class SkipList(object):
def __init__(self, max_level=8):
self.max_level = max_level
n = Node(None, max_level)
self.head = n
self.verbose = False
def randomLevel(self, max_level):
num = random.randint(1, 2**max_level - 1)
lognum = math.log(num, 2)
level = int(math.floor(lognum))
return max_level - level
def updateList(self, data):
update = [None] * (self.max_level)
n = self.head
self._n_traverse = 0
level = self.max_level - 1
while level >= 0:
if self.verbose and \
n.next[level] != None and n.next[level].data >= data:
print 'DROP down from level', level + 1
while n.next[level] != None and n.next[level].data < data:
self._n_traverse += 1
if self.verbose:
print 'AT level', level, 'data', n.next[level].data
n = n.next[level]
update[level] = n
level -= 1
return update
def find(self, data, update=None):
if update is None:
update = self.updateList(data)
if len(update) > 0:
candidate = update[0].next[0]
if candidate != None and candidate.data == data:
return candidate
return None
def insertNode(self, data, level=None):
if level is None:
level = self.randomLevel(self.max_level)
node = Node(data, level)
update = self.updateList(data)
if self.find(data, update) == None:
for i in range(level):
node.next[i] = update[i].next[i]
update[i].next[i] = node
def printLevel(sl, level):
print 'level %d:' % level,
node = sl.head.next[level]
while node:
print node.data, '=>',
node = node.next[level]
print 'END'
x = SkipList(4)
for i in range(0, 20, 2):
x.insertNode(i)
printLevel(x, 0)
printLevel(x, 1)
printLevel(x, 2)
5 1 17 4 NULL
Head
In this approach, create a hash table whose entries are < , >. That means, key is the
position of the node in the list and value is the address of that node.
Position in List Address of Node
1 Address of 5 node
2 Address of 1 node
3 Address of 17 node
4 Address of 4 node
By the time we traverse the complete list (for creating the hash table), we can find the list length. Let us say the
list length is . To find from the end of linked list, we can convert this to - + 1 from the beginning.
Since we already know the length of the list, it is just a matter of returning - + 1 key value from the hash
table.
Time Complexity: Time for finding the length + Time for finding the - + 1 node from the beginning.
Therefore, ( = O() + O() O().
Space Complexity: O(1). Hence, no need to create the hash table.
Problem-5 Can we solve Problem-2 in one scan?
Solution: Yes. Efficient Approach: Use two pointers and . Initially, both point to head node of
the list. starts moving only after has made moves. From there both move forward until
reaches the end of the list. As a result points to node from the end of the linked list.
Note: At any point of time both move one node at a time.
def nthNodeFromEnd( self, n ):
if 0 > n:
return None
# count k units from the self.head.
temp = self.head
count = 0
while count < n and None != temp:
temp = temp.next
count += 1
# if the LinkedList does not contain k elements, return None
if count < n or None == temp:
return None
# keeping tab on the nth element from temp, slide temp until
# temp equals self.tail. Then return the nth element.
nth = self.head
while None != temp.next:
temp = temp.next
nth = nth.next
return nth
Time Complexity: O(). Space Complexity: O(1).
Problem-6 Check whether the given linked list is either NULL-terminated or ends in a cycle (cyclic).
Solution: Brute-Force Approach. As an example, consider the following linked list which has a loop in it. The
difference between this list and the regular list is that, in this list, there are two nodes whose next pointers are
the same. In regular singly linked lists (without a loop) each nodes next pointer is unique. That means the
repetition of next pointers indicates the existence of a loop.
One simple and brute force way of solving this is, start with the first node and see whether there is any node
whose next pointer is the current nodes address. If there is a node with the same address then that indicates
that some other node is pointing to the current node and we can say a loop exists.
Continue this process for all the nodes of the linked list.
Does this method work? As per the algorithm, we are checking for the next pointer addresses, but how do we
find the end of the linked list (otherwise we will end up in an infinite loop)?
Note: If we start with a node in a loop, this method may work depending on the size of the loop.
Problem-7 Can we use the hashing technique for solving Problem-6?
Solution: Yes. Using Hash Tables we can solve this problem.
Algorithm:
Traverse the linked list nodes one by one.
Check if the address of the node is available in the hash table or not.
If it is already available in the hash table, that indicates that we are visiting the node that was already
visited. This is possible only if the given linked list has a loop in it.
If the address of the node is not available in the hash table, insert that nodes address into the hash
table.
Continue this process until we reach the end of the linked list we find the loop.
Time Complexity: O() for scanning the linked list. Note that we are doing a scan of only the input.
Space Complexity: O() for hash table.
Problem-8 Can we solve Problem-6 using the sorting technique?
Algorithm:
Traverse the linked list nodes one by one and take all the next pointer values into an array.
Sort the array that has the next node pointers.
If there is a loop in the linked list, definitely two next node pointers will be pointing to the same node.
After sorting if there is a loop in the list, the nodes whose next pointers are the same will end up
adjacent in the sorted list.
If any such pair exists in the sorted list then we say the linked list has a loop in it.
Time Complexity: O() for sorting the next pointers array.
Space Complexity: O() for the next pointers array.
Problem with the above algorithm: The above algorithm works only if we can find the length of the list. But if
the list has a loop then we may end up in an infinite loop. Due to this reason the algorithm fails.
Problem-9 Can we solve the Problem-6 in O()?
Solution: Yes. Efficient Approach (Memoryless Approach): This problem was solved by . The solution is
named the Floyd cycle finding algorithm. It uses pointers moving at different speeds to walk the linked list.
Once they enter the loop they are expected to meet, which denotes that there is a loop. This works because the
only way a faster moving pointer would point to the same location as a slower moving pointer is if somehow the
entire list or a part of it is circular. Think of a tortoise and a hare running on a track. The faster running hare
will catch up with the tortoise if they are running in a loop.
As an example, consider the following example and trace out the Floyd algorithm. From the diagrams below we
can see that after the final step they are meeting at some point in the loop which may not be the starting point
of the loop.
Note: () moves one pointer at a time and () moves two pointers at a time.
slowPtr
fastPtr
slowPtr fastPtr
fastPtr
slowPtr
slowPtr
fastPtr
slowPtr
fastPt
r
fastPtr slowPt
r
slowPtr
fastPt
r
def detectCycle(self):
fastPtr = self.head
slowPtr = self.head
while (fastPtr and slowPtr):
fastPtr = fastPtr.getNext()
if (fastPtr == slowPtr):
return True
if fastPtr == None:
return False
fastPtr = fastPtr.getNext()
if (fastPtr == slowPtr):
return True
slowPtr = slowPtr.getNext()
Time Complexity: O(). Space Complexity: O(1).
Problem-10 We are given a pointer to the first element of a linked list . There are two possibilities for , it
either ends (snake) or its last element points back to one of the earlier elements in the list (snail). Give an
algorithm that tests whether a given list is a snake or a snail.
Solution: It is the same as Problem-6.
Problem-11 Check whether the given linked list is NULL-terminated or not. If there is a cycle find the start
node of the loop.
Solution: The solution is an extension to the solution in Problem-9. After finding the loop in the linked list, we
initialize the to the head of the linked list. From that point onwards both and move only
one node at a time. The point at which they meet is the start of the loop. Generally we use this method for
removing the loops. Let and y be travelers such that y is walking twice as fast as (i.e. = 2). Further, let s
be the place where and first started walking at the same time. Then when x and y meet again, the distance
from to the start of the loop is the exact same distance from the present meeting place of and to the start of
the loop.
def detectCycleStart( self ) :
if None == self.head or None == self.head.next:
return None
# slow and fast both started at head after one step,
# slow is at self.head.next and fast is at self.head.next.next
slow = self.head.next
fast = slow.next
# each keep walking until they meet again.
while slow != fast:
slow = slow.next
try:
fast = fast.next.next
except AttributeError:
return None # no cycle if NoneType reached
# from self.head to beginning of loop is same as from fast to beginning of loop
slow = self.head
while slow != fast:
slow = slow.next
fast = fast.next
return slow # beginning of loop
Time Complexity: O(). Space Complexity: O(1).
Problem-12 From the previous discussion and problems we understand that the meeting of tortoise and
hare concludes the existence of the loop, but how does moving the tortoise to the beginning of the linked list
while keeping the hare at the meeting place, followed by moving both one step at a time, make them meet at
the starting point of the cycle?
Solution: This problem is at the heart of number theory. In the Floyd cycle finding algorithm, notice that the
tortoise and the hare will meet when they are , where is the loop length. Furthermore, the tortoise is at
the midpoint between the hare and the beginning of the sequence because of the way they move. Therefore the
tortoise is away from the beginning of the sequence as well.
If we move both one step at a time, from the position of the tortoise and from the start of the sequence, we know
that they will meet as soon as both are in the loop, since they are , a multiple of the loop length, apart.
One of them is already in the loop, so we just move the other one in single step until it enters the loop, keeping
the other away from it at all times.
Problem-13 In Floyd cycle finding algorithm, does it work if we use steps 2 and 3 instead of 1 and 2?
Solution: Yes, but the complexity might be high. Trace out an example.
Problem-14 Check whether the given linked list is NULL-terminated. If there is a cycle, find the length of the
loop.
Solution: This solution is also an extension of the basic cycle detection problem. After finding the loop in the
linked list, keep the as it is. The keeps on moving until it again comes back to . While
moving , use a counter variable which increments at the rate of 1.
def findLoopLength( self ):
if None == self.head or None == self.head.next:
return 0
# slow and fast both started at head after one step,
# slow is at self.head.next and fast is at self.head.next.next
slow = self.head.next
fast = slow.next
right = n.getNext()
if self.head != n:
n.setNext(self.head)
self.head = n
else:
n.setNext(None)
self.reverseRecursive( right )
Time Complexity: O(). Space Complexity: O(), for recursive stack.
Problem-17 Suppose there are two singly linked lists both of which intersect at some point and become a
single linked list. The head or start pointers of both the lists are known, but the intersecting node is not
known. Also, the number of nodes in each of the lists before they intersect is unknown and may be different
in each list. 1 may have nodes before it reaches the intersection point, and 2 might have nodes
before it reaches the intersection point where and may be = , < or > . Give an algorithm for
finding the merging point.
NULL
Solution: Brute-Force Approach: One easy solution is to compare every node pointer in the first list with every
other node pointer in the second list by which the matching node pointers will lead us to the intersecting node.
But, the time complexity in this case will be O() which will be high.
Time Complexity: O(). Space Complexity: O(1).
Problem-18 Can we solve Problem-17 using the sorting technique?
Solution: No. Consider the following algorithm which is based on sorting and see why this algorithm fails.
Algorithm:
Take first list node pointers and keep them in some array and sort them.
Take second list node pointers and keep them in some array and sort them.
After sorting, use two indexes: one for the first sorted array and the other for the second sorted array.
Start comparing values at the indexes and increment the index according to whichever has the lower
value (increment only if the values are not equal).
At any point, if we are able to find two indexes whose values are the same, then that indicates that
those two nodes are pointing to the same node and we return that node.
Time Complexity: Time for sorting lists + Time for scanning (for comparing)
= O() +O() +O( + ) We need to consider the one that gives the maximum value.
Space Complexity: O(1).
Any problem with the above algorithm? Yes. In the algorithm, we are storing all the node pointers of both the
lists and sorting. But we are forgetting the fact that there can be many repeated elements. This is because after
the merging point, all node pointers are the same for both the lists. The algorithm works fine only in one case
and it is when both lists have the ending node at their merge point.
Problem-19 Can we solve Problem-17 using hash tables?
Solution: Yes.
Algorithm:
Select a list which has less number of nodes (If we do not know the lengths beforehand then select one
list randomly).
Now, traverse the other list and for each node pointer of this list check whether the same node pointer
exists in the hash table.
If there is a merge point for the given lists then we will definitely encounter the node pointer in the hash
table.
def findIntersectingNode( self, list1, list2 ):
intersect = {}
t = list1
while None != t:
intersect[t] = True
t = t.getNext()
# first duplicate is intersection
t = list2
while None != t:
if None != intersect.get( t ):
return t
t = t.getNext()
return None
Time Complexity: Time for creating the hash table + Time for scanning the second list = O() + O() (or O() +
O(), depending on which list we select for creating the hash table. But in both cases the time complexity is the
same.
Space Complexity: O() or O().
Problem-20 Can we use stacks for solving Problem-17?
Solution: Yes.
Algorithm:
Create two stacks: one for the first list and one for the second list.
Traverse the first list and push all the node addresses onto the first stack.
Traverse the second list and push all the node addresses onto the second stack.
Now both stacks contain the node address of the corresponding lists.
Now compare the top node address of both stacks.
If they are the same, take the top elements from both the stacks and keep them in some temporary
variable (since both node addresses are node, it is enough if we use one temporary variable).
Continue this process until the top node addresses of the stacks are not the same.
This point is the one where the lists merge into a single list.
Return the value of the temporary variable.
Time Complexity: O( + ), for scanning both the lists.
Space Complexity: O( + ), for creating two stacks for both the lists.
Problem-21 Is there any other way of solving Problem-17?
Solution: Yes. Using finding the first repeating number approach in an array (for algorithm refer
chapter).
Algorithm:
Create an array and keep all the next pointers of both the lists in the array.
In the array find the first repeating element [Refer to chapter for algorithm].
The first repeating number indicates the merging point of both the lists.
Time Complexity: O( + ). Space Complexity: O( + ).
Problem-22 Can we still think of finding an alternative solution for Problem-17?
Solution: Yes. By combining sorting and search techniques we can reduce the complexity.
Algorithm:
Create an array and keep all the next pointers of the first list in the array.
Sort these array elements.
Then, for each of the second list elements, search in the sorted array (let us assume that we are using
binary search which gives O()).
Since we are scanning the second list one by one, the first repeating element that appears in the array is
nothing but the merging point.
Time Complexity: Time for sorting + Time for searching = O((, )).
Space Complexity: O((, )).
Problem-23 Can we improve the complexity for Problem-17?
Solution: Yes.
Efficient Approach:
Find lengths (L1 and L2) of both lists -- O() + O() = O((, )).
Take the difference of the lengths -- O(1).
Make steps in longer list -- O().
Step in both lists in parallel until links to next node match -- O((, )).
Total time complexity = O((, )).
Space Complexity = O(1).
def getIntersectionNode(self, list1, list2):
currentList1,currentList2 = list1,list2
list1Len,list2Len = 0,0
while currentList1 is not None:
list1Len += 1
currentList1 = currentList1.next
while currentList2 is not None:
list2Len += 1
currentList2 = currentList2.next
currentList1,currentList2 = list1,list2
if list1Len > list2Len:
for i in range(list1Len-list2Len):
currentList1 = currentList1.next
elif list2Len > list1Len:
for i in range(list2Len-list1Len):
currentList2 = currentList2.next
while currentList2 != currentList1:
currentList2 = currentList2.next
currentList1 = currentList1.next
return currentList1
Problem-24 How will you find the middle of the linked list?
Solution: Brute-Force Approach: For each of the node counts how many nodes are there in the list and see
whether it is the middle.
Time Complexity: O(2 ). Space Complexity: O(1).
Problem-25 Can we improve the complexity of Problem-24?
Solution: Yes.
Algorithm:
Traverse the list and find the length of the list.
After finding the length, again scan the list and locate /2 node from the beginning.
Time Complexity: Time for finding the length of the list + Time for locating middle node = O() + O() O().
Space Complexity: O(1).
Problem-26 Can we use the hash table for solving Problem-24?
Solution: Yes. The reasoning is the same as that of Problem-3.
Time Complexity: Time for creating the hash table. Therefore, () = O().
Space Complexity: O(). Since we need to create a hash table of size .
Problem-27 Can we solve Problem-24 just in one scan?
Solution: Efficient Approach: Use two pointers. Move one pointer at twice the speed of the second. When the
first pointer reaches the end of the list, the second pointer will be pointing to the middle node.
Note: If the list has an even number of nodes, the middle node will be of /2.
def findMiddleNode( self) :
fastPtr = self.head
slowPtr = self.head
while (fastPtr != None):
fastPtr = fastPtr.getNext()
if (fastPtr == None):
return slowPtr
fastPtr = fastPtr.getNext()
slowPtr = slowPtr.getNext()
return slowPtr
Time Complexity: O(). Space Complexity: O(1).
Problem-28 How will you display a linked list from the end?
Solution: Traverse recursively till the end of the linked list. While coming back, start printing the elements. It is
natural to express many list operations using recursive methods. For example, the following is a recursive
algorithm for printing a list backwards:
1. Separate the list into two pieces: the first node (called the head); and the rest (called the tail).
2. Print the tail backward.
3. Print the head.
Of course, Step 2, the recursive call, assumes that we have a way of printing a list backward.
def printListFromEnd( self, list) :
if list == None:
return
head = list
tail = list.getNext()
self.printListFromEnd(tail)
print head.getData(),
if __name__ == "__main__":
linkedlst = LinkedList()
linkedlst.insertAtEnd(1)
linkedlst.insertAtEnd(2)
linkedlst.insertAtEnd(3)
linkedlst.insertAtEnd(4)
linkedlst.printList()
linkedlst.printListFromEnd(linkedlst.head)
Time Complexity: O(). Space Complexity: O() for Stack.
Problem-29 Check whether the given Linked List length is even or odd?
Solution: Use a 2 pointer. Take a pointer that moves at 2 [two nodes at a time]. At the end, if the length is
even, then the pointer will be NULL; otherwise it will point to the last node.
def isLinkedListLengthEven(self):
current = self.head
while current != None and current.getNext()!= None:
current = current.getNext().getNext()
if current == None:
return 1
return 0
Time Complexity: O(/2) O(). Space Complexity: O(1).
Problem-30 If the head of a linked list is pointing to element, then how will you get the elements before
element?
Solution: Use Memory Efficient Linked Lists [XOR Linked Lists].
Problem-31 Given two sorted Linked Lists, how to merge them into the third list in sorted order?
Solution: Assume the sizes of lists are and .
def mergeTwoLists(self, list1, list2):
temp = Node()
pointer = temp
while list1 !=None and list2 !=None:
if list1.getData()<list2.getData():
pointer.setNext(list1)
list1 = list1.getNext()
else:
pointer.setNext(list2)
list2 = list2.getNext()
pointer = pointer.getNext()
if list1 == None:
pointer.setNext(list2)
else:
pointer.setNext(list1)
return temp.getNext()
3.12 Linked Lists: Problems & Solutions 84
Data Structure and Algorithmic Thinking with Python Linked Lists
4 15 7 40
Head
After the split, the above list will look like:
4 15 7 40
Head middle
def splitList(head):
fast = head
slow = head
while fast != None and fast.getNext() != None:
slow = slow.getNext()
fast = fast.getNext()
fast = fast.getNext()
middle = slow.getNext()
slow.setNext(None)
return head, middle
Time Complexity: O(). Space Complexity: O(1).
Problem-36 If we want to concatenate two linked lists, which of the following gives O(1) complexity?
1) Singly linked lists
2) Doubly linked lists
3) Circular doubly linked lists
Solution: Circular Doubly Linked Lists. This is because for singly and doubly linked lists, we need to traverse
the first list till the end and append the second list. But in the case of circular doubly linked lists we dont have
to traverse the lists.
Problem-37 How will you check if the linked list is palindrome or not?
Solution:
Algorithm:
1. Get the middle of the linked list.
2. Reverse the second half of the linked list.
3. Compare the first half and second half.
4. Construct the original linked list by reversing the second half again and attaching it back to the first
half.
Time Complexity: O(). Space Complexity: O(1).
Problem-38 For a given value ( > 0) reverse blocks of nodes in a list.
Example: Input: 1 2 3 4 5 6 7 8 9 10. Output for different values:
For = 2: 2 1 4 3 6 5 8 7 10 9 For = 3: 3 2 1 6 5 4 9 8 7 10 For = 4: 4 3 2 1 8 7 6 5 9 10
Solution:
Algorithm: This is an extension of swapping nodes in a linked list.
1) Check if remaining list has nodes.
a. If yes get the pointer of + 1 node.
b. Else return.
2) Reverse first nodes.
3) Set next of last node (after reversal) to + 1 node.
4) Move to + 1 node.
5) Go to step 1.
6) 1 node of first nodes becomes the new head if available. Otherwise, we can return the head.
def reverseKBlock(self, head, k):
temp = Node(0);
temp.setNext(head)
previous = temp
while True:
begin = previous.getNext()
end = previous
for i in range(0,k):
end = end.getNext()
if end == None:
return temp.getNext()
nextBlock = end.getNext()
self.reverseList(begin,end)
previous.setNext(end)
begin.setNext(nextBlock)
previous = begin
def reverseList(self, start, end):
alreadyReversed = start
actual = start
nextNode = start.getNext()
while actual != end:
actual = nextNode
nextNode = nextNode.getNext()
actual.setNext(alreadyReversed)
alreadyReversed = actual
Problem-39 Is it possible to get O(1) access time for Linked Lists?
Solution: Yes. Create a linked list and at the same time keep it in a hash table. For elements we have to keep
all the elements in a hash table which gives a preprocessing time of O(). To read any element we require only
constant time O(1) and to read elements we require 1 unit of time = units. Hence by using amortized
analysis we can say that element access can be performed within O(1) time.
Time Complexity O(1) [Amortized]. Space Complexity - O() for Hash Table.
Problem-40 Josephus Circle: Flavius Josephus was a famous Jewish historian of the first century, at the
time of the destruction of the Second Temple. According to legend, during the Jewish-Roman war he was
trapped in a cave with a group of forty soldiers surrounded by Romans. Preferring death to capture, the Jews
decided to form a circle and, proceeding around it, to kill every third person remaining until no one was left.
Josephus found the safe spot in the circle and thus stayed alive. Write a function josephus(n,m) that returns
a list of people, numbered from 0 to 1, in the order in which they are executed, every person in turn,
with the sole survivor as the last person in the list. That mean, find which person will be the last one
remaining (with rank 1).
Solution: Assume the input is a circular linked list with nodes and each node has a number (range 1 to )
associated with it. The head node has number 1 as data.
Algorithm:
Scan the original list and for each node , create a new node with data of , then store the pair (, )
in hash table using as a key. Note that during this scan set and to and we
will fix them in the next scan.
Now for each node in the original list we have a copy stored in our hash table. We scan the original
list again and set the pointers building the new list.
class Node:
def __init__(self, data):
self.setData(data)
self.setNext(None)
self.setRand(None)
#method for setting the data field of the node
def setData(self,data):
self.data = data
#method for getting the data field of the node
def getData(self):
return self.data
#method for setting the next field of the node
def setNext(self,next):
self.next = next
#method for setting the next field of the node
def setRand(self,rand):
self.rand = rand
#method for getting the next field of the node
def getRand(self):
return self.rand
#method for getting the next field of the node
def getNext(self):
return self.next
#returns true if the node points to another node
def hasNext(self):
return self.next != None
def cloneLinkedList(old):
if not old:
return
old_copy = old
root = Node(old.getData())
prev = root
temp = None
old = old.getNext()
mapping = {}
while old:
temp = Node(old.getData())
mapping[old] = temp
prev.setNext(temp)
prev = temp
old = old.getNext()
old = old_copy
temp = root
while old:
temp.setRand(mapping[old.rand])
temp = temp.getNext()
old = old.getNext()
return root
Time Complexity: O(). Space Complexity: O().
Problem-42 Can we solve Problem-41 without any extra space?
Solution: Yes.
if fractionalNode == None:
fractionalNode = self.head
else:
fractionalNode = fractionalNode.getNext()
i=i+1
currentNode = currentNode.getNext()
print (fractionalNode.getData())
Time Complexity: O(). Space Complexity: O(1).
Problem-48 Find node: Given a singly linked list, write a function to find the element, where is
the number of elements in the list. Assume the value of is not known in advance.
Solution: For this problem the value of is not known in advance.
def sqrtNthNodes(self):
sqrtNode = None
currentNode = self.head
i=j=1
while currentNode != None:
if i == j * j:
if sqrtNode == None:
sqrtNode = self.head
else:
sqrtNode = sqrtNode.getNext()
j=j+1
i=i+1
currentNode = currentNode.getNext()
print (sqrtNode.getData())
Time Complexity: O(). Space Complexity: O(1).
Problem-49 Given two lists List1 = {1 , 2 , . . . , } and List2 = {1 , 2 , . . . , } with data (both lists) in
ascending order. Merge them into the third list in ascending order so that the merged list will be:
{1 , 1 , 2, 2 ..... , , +1 .... } if >=
{1 , 1 , 2, 2 ..... , , +1 .... } if >=
Solution:
def mergeTwoSortedLists(self, list1, list2):
temp = Node(0)
pointer = temp
while list1 !=None and list2 !=None:
if list1.getData()<list2.getData():
pointer.setNext(list1)
list1 = list1.getNext()
else:
pointer.setNext(list2)
list2 = list2.getNext()
pointer = pointer.getNext()
if list1 == None:
pointer.setNext(list2)
else:
pointer.setNext(list1)
return temp.getNext()
Time Complexity: The loop takes O((, )) time as it will run for (, ) times. The other steps run in
O(1). Therefore the total time complexity is O((, )).
Space Complexity: O(1).
Problem-50 Median in an infinite series of integers
Solution: Median is the middle number in a sorted list of numbers (if we have an odd number of elements). If we
have an even number of elements, the median is the average of two middle numbers in a sorted list of numbers.
We can solve this problem with linked lists (with both sorted and unsorted linked lists).
, let us try with an linked list. In an unsorted linked list, we can insert the element either at the
head or at the tail. The disadvantage with this approach is that finding the median takes O(). Also, the
insertion operation takes O(1).
Now, let us try with a linked list. We can find the median in O(1) time if we keep track of the middle
elements. Insertion to a particular location is also O(1) in any linked list. But, finding the right location to insert
is not O() as in a sorted array, it is instead O() because we cant perform binary search in a linked list even
if it is sorted.
So, using a sorted linked list isnt worth the effort as insertion is O() and finding median is O(1), the same as
the sorted array. In the sorted array the insertion is linear due to shifting, but here its linear because we cant
do a binary search in a linked list.
Note: For an efficient algorithm refer to the chapter.
Problem-51 Given a linked list, how do you modify it such that all the even numbers appear before all the
odd numbers in the modified linked list?
Solution:
def exchangeEvenOddList(head):
# initializing the odd and even list headers
oddList = evenList =None
# creating tail variables for both the list
oddListEnd = evenListEnd = None
itr=head
if( head == None ):
return
else:
while( itr != None ):
if( itr.data % 2 == 0 ):
if( evenList == NULL ):
# first even node
evenList = evenListEnd = itr
else:
# inserting the node at the end of linked list
evenListEnd.next = itr
evenListEnd = itr
else:
if( oddList == NULL ):
# first odd node
oddList = oddListEnd = itr
else:
# inserting the node at the end of linked list
oddListEnd.next = itr
oddListEnd = itr
itr = itr.next
evenListEnd.next = oddList
return head
Time Complexity: O(). Space Complexity: O(1).
Problem-52 Given two linked lists, each list node with one integer digit, add these two linked lists. The
result should be stored in the third linked list. Also note that the head node contains the most significant
digit of the number.
Solution: Since the integer addition starts from the least significant digit, we first need to visit the last node of
both lists and add them up, create a new node to store the result, take care of the carry if any, and link the
resulting node to the node which will be added to the second least significant node and continue.
First of all, we need to take into account the difference in the number of digits in the two numbers. So before
starting recursion, we need to do some calculation and move the longer list pointer to the appropriate place so
that we need the last node of both lists at the same time. The other thing we need to take care of is . If two
digits add up to more than 10, we need to forward the to the next node and add it. If the most significant
digit addition results in a , we need to create an extra node to store the carry.
The function below is actually a wrapper function which does all the housekeeping like calculating lengths of
lists, calling recursive implementation, creating an extra node for the in the most significant digit, and
adding any remaining nodes left in the longer list.
class AddingListNumbers:
def addTwoNumbers(self, list1, list2):
if list1 == None:
return list2
if list2 == None:
return list1
len1 = len2 = 0
head = list1
while head != None:
len1 += 1
head = head.next
head = list2
while head != None:
len2 += 1
head = head.next
if len1 >= len2:
longer = list1
shorter = list2
else:
longer = list2;
shorter = list1
sum = None
carry = 0
while shorter != None:
value = longer.data + shorter.data + carry
carry = value / 10
value -= carry * 10
if sum == None:
sum = Node(value)
result = sum
else:
sum.next = Node(value)
sum = sum.next
longer = longer.next
shorter = shorter.next
while longer != None:
value = longer.data + carry
carry = value / 10
value -= carry * 10
sum.next = Node(value)
sum = sum.next
longer = longer.next
if carry != 0:
sum.next = Node(carry)
return result
Time Complexity: O( (1 , 2 )).
Space Complexity: O((1 , 2 )) for recursive stack.
Note:It can also be solved using stacks.
Problem-53 Write code for finding the sum of all data values from linked list with recursion.
Solution: One of the basic operations we perform on linked lists (as we do with lists) is to iterate over them,
processing alst their values. The following function computes the sum of the values in a linked list.
def linkedListSum(lst):
sum = 0
while lst != None:
sum += lst.
lst = lst.getNext()
return sum
Lots of code that traverses (iterates over) linked lists looks similar. In class we will go over (hand simulate) how
this code processes the linked list above, with the call (x) and see exactly how it is that we visit
each node in the linked list and stop processing it at the end.
We can also define linked lists recursively and use such a definition to help us write functions that recursively
process linked lists.
1) None is the smallest linked list: it contains no nodes
2) A list node whose next refers to a linked list is also linked list
So None is a linked list (of 0 values); a list node whose next is is a linked list (of 1 value); a list node whose
next is a list node whose next is is a linked list (of 2 values); etc.
So, we can recursively process a linked list by processing its first node and then recursively processing the (one
smaller) linked list they refer to; recursion ends at None (which is the base case: the smallest linked list). We can
recursively compute the sum of linked list by
def linkedListSum(self, lst):
if lst == None:
return 0
else:
return lst.getData() + linkedListSum(lst.getNext())
An even simpler traversal of linked lists computes their length. Here are the iterative and recursive methods.
def listLength(lst):
count = 0
while lst != None:
count += 1
lst = lst.getNext()
return count
def listLengthRecursive(lst):
if lst == None:
return 0
else:
return 1 + listLengthRecursive(lst.getNext())
These are simpler than the function: rather than adding the value of each list node, these add 1 to
a count for each list node, ultimately computing the number of list nodes in the entire linked list: its length.
Problem-54 Given a sorted linked list, write a program to remove duplicates from it.
Solution: Skip the repeated adjacent elements.
def deleteLinkedListDuplicates(self):
current = self.head;
while current != None and current.next !=None:
if current.getData() == current.getNext().getData():
current.setNext(current.getNext().getNext())
else:
current = current.getNext()
return head
Time Complexity: O(). Space Complexity: O(1).
Problem-55 Given a list, List1 = {1 , 2 , . . . 1 , } with data, reorder it to {1 , , 2, 1 ..... } without
using any extra space.
Solution: Split the list, reverse the latter half and merge.
# Definition for singly-linked list.
class Node:
def __init__(self, x):
self.data = x
self.next = None
class reorderLists:
def reverse(self,head):
dummy = prev = Node(0)
while head:
next = head.next
head.next = prev.next
prev.next =head
head = next
return dummy.next
def getMiddleNode(self,head):
slow = fast = head
while fast.next and fast.next.next:
fast = fast.next.next
slow = slow.next
head = slow.next
slow.next = None
return head
def reorderList(self, head):
if not head or not head.next:
return head
head2 = self.getMiddleNode(head)
head2 = self.reverse(head2)
p = head
q= head2
while q:
qnext = q.next # store the next node since q will be moved
q.next = p.next
p.next = q
p = q.next
q = qnext
return head
Time Complexity: O(). Space Complexity: O(1).
Problem-56 Which sorting algorithm is easily adaptable to singly linked lists?
Solution: Simple Insertion sort is easily adabtable to singly linked lists. To insert an element, the linked list is
traversed until the proper position is found, or until the end of the list is reached. It is inserted into the list by
merely adjusting the pointers without shifting any elements, unlike in the array. This reduces the time required
for insertion but not the time required for searching for the proper position.