Skip to content

Commit a244bd7

Browse files
committed
Reverse Linked List
1 parent 76d86c7 commit a244bd7

File tree

1 file changed

+42
-0
lines changed

1 file changed

+42
-0
lines changed
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,42 @@
1+
'''
2+
Given pointer to the head node of a linked list, the task is to recursively reverse the linked list. We need to reverse the list by changing links between nodes.
3+
4+
Examples:
5+
6+
Input : Head of following linked list
7+
1->2->3->4->NULL
8+
Output : Linked list should be changed to,
9+
4->3->2->1->NULL
10+
11+
'''
12+
13+
14+
'''Recursive Approach'''
15+
16+
17+
def reverseList(head):
18+
19+
if not head:
20+
return None
21+
22+
newHead = head # head is current node that we are at in our recursive call
23+
if head.next: # if we keep reversing
24+
newHead = reverseList(head.next) # now the result will be new head
25+
head.next.next = head # reversing the link between the next node and head
26+
head.next = None # if head happens to be the first node in the list we're setting the next pointer to null
27+
28+
return newHead # reverse the list and return the new head
29+
30+
31+
'''Iterative Approach'''
32+
33+
34+
def reverseList(head):
35+
prev, curr = None, head
36+
37+
while curr:
38+
temp = curr.next
39+
curr.next = prev
40+
prev = curr
41+
curr = temp
42+
return prev

0 commit comments

Comments
 (0)