Write a function, zipper_lists, that takes in the head of two linked lists as arguments. The function should zipper the two lists together into single linked list by alternating nodes. If one of the linked lists is longer than the other, the resulting list should terminate with the remaining nodes. The function should return the head of the zippered linked list.
Do this in-place, by mutating the original Nodes.
You may assume that both input lists are non-empty.
a = Node("a")b = Node("b")c = Node("c")a.next = bb.next = c# a -> b -> cx = Node("x")y = Node("y")z = Node("z")x.next = yy.next = z# x -> y -> zzipper_lists(a, x)# a -> x -> b -> y -> c -> z
a = Node("a")b = Node("b")c = Node("c")d = Node("d")e = Node("e")f = Node("f")a.next = bb.next = cc.next = dd.next = ee.next = f# a -> b -> c -> d -> e -> fx = Node("x")y = Node("y")z = Node("z")x.next = yy.next = z# x -> y -> zzipper_lists(a, x)# a -> x -> b -> y -> c -> z -> d -> e -> f
s = Node("s")t = Node("t")s.next = t# s -> tone = Node(1)two = Node(2)three = Node(3)four = Node(4)one.next = twotwo.next = threethree.next = four# 1 -> 2 -> 3 -> 4zipper_lists(s, one)# s -> 1 -> t -> 2 -> 3 -> 4
w = Node("w")# wone = Node(1)two = Node(2)three = Node(3)one.next = twotwo.next = three# 1 -> 2 -> 3zipper_lists(w, one)# w -> 1 -> 2 -> 3
one = Node(1)two = Node(2)three = Node(3)one.next = twotwo.next = three# 1 -> 2 -> 3w = Node("w")# wzipper_lists(one, w)# 1 -> w -> 2 -> 3