This notebook was prepared by [Donne Martin](http://donnemartin.com). Source and license info is on [GitHub](https://github.com/donnemartin/interactive-coding-challenges).
Complexity:
Note:
In [1]:
%run ../linked_list/linked_list.py
In [2]:
class MyLinkedList(LinkedList):
def remove_dupes(self):
seen_data = set()
curr = self.head
prev = None
while curr is not None:
if curr.data in seen_data:
prev.next = curr.next
else:
seen_data.add(curr.data)
prev = curr
curr = curr.next
def remove_dupes_in_place(self):
curr = self.head
while curr is not None:
runner = curr
while runner.next is not None:
if runner.next.data == curr.data:
runner.next = runner.next.next
else:
runner = runner.next
curr = curr.next
In [3]:
%%writefile test_remove_duplicates.py
from nose.tools import assert_equal
class TestRemoveDupes(object):
def test_remove_dupes(self, linked_list):
print('Test: Empty list')
linked_list.remove_dupes()
assert_equal(linked_list.get_all_data(), [])
print('Test: One element list')
linked_list.insert_to_front(2)
linked_list.remove_dupes()
assert_equal(linked_list.get_all_data(), [2])
print('Test: General case, duplicates')
linked_list.insert_to_front(1)
linked_list.insert_to_front(3)
linked_list.insert_to_front(1)
linked_list.insert_to_front(1)
linked_list.remove_dupes()
assert_equal(linked_list.get_all_data(), [1, 3, 2])
print('Test: General case, no duplicates')
linked_list.remove_dupes()
assert_equal(linked_list.get_all_data(), [1, 3, 2])
print('Success: test_remove_dupes\n')
def main():
test = TestRemoveDupes()
linked_list = MyLinkedList(None)
test.test_remove_dupes(linked_list)
if __name__ == '__main__':
main()
In [4]:
run -i test_remove_duplicates.py