Skip to content

added remove_nth_node_from_end.py in linked list Data Structure #11778

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Closed
wants to merge 2 commits into from
Closed
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
38 changes: 38 additions & 0 deletions data_structures/linked_list/remove_nth_node_from_end.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,38 @@
class Node:
def __init__(self, val):
self.val = val
self.next = None


def remove(head, n):
extra = Node(0)
extra.next = head
fast = extra
slow = extra
for _ in range(n):
fast = fast.next

while fast.next:
fast = fast.next
slow = slow.next

slow.next = slow.next.next

return extra.next


def print_list(head):
curr = head
while curr:
print(curr.val, end=" ")
curr = curr.next


head = Node(1)
head.next = Node(2)
head.next.next = Node(3)
head.next.next.next = Node(4)
head.next.next.next.next = Node(5)
print_list(head)
head = remove(head, 5)
print_list(head)