Interview

15 Data Structures in Python Interview Questions and Answers

Prepare for your Python interview with this guide on data structures. Enhance your coding skills and tackle complex challenges confidently.

Data structures are fundamental to efficient algorithm design and problem-solving in Python. Mastery of data structures such as lists, dictionaries, sets, and tuples is crucial for writing optimized and maintainable code. Python’s built-in data structures, combined with its extensive standard library, provide powerful tools for managing and manipulating data in various applications, from web development to data analysis.

This article offers a curated selection of interview questions focused on Python data structures. By working through these questions and understanding the underlying concepts, you will be better prepared to demonstrate your proficiency in Python and tackle complex coding challenges with confidence.

Data Structures in Python Interview Questions and Answers

1. Write a function to reverse a linked list.

Reversing a linked list involves changing the direction of the pointers. Each node will point to the previous node instead of the next. This process requires three pointers: previous, current, and next. The previous pointer starts as None, the current pointer starts at the head, and the next pointer temporarily stores the next node.

Example:

class ListNode:
    def __init__(self, value=0, next=None):
        self.value = value
        self.next = next

def reverse_linked_list(head):
    previous = None
    current = head
    while current:
        next_node = current.next
        current.next = previous
        previous = current
        current = next_node
    return previous

# Example usage:
# Creating a linked list: 1 -> 2 -> 3 -> None
head = ListNode(1, ListNode(2, ListNode(3)))

# Reversing the linked list
reversed_head = reverse_linked_list(head)
# The reversed linked list is: 3 -> 2 -> 1 -> None

2. Write a function to find the middle element of a singly linked list.

To find the middle element of a singly linked list, use the two-pointer technique, also known as the tortoise and hare approach. This method involves two pointers that traverse the list at different speeds. One pointer moves one step at a time (slow pointer), while the other moves two steps at a time (fast pointer). When the fast pointer reaches the end, the slow pointer will be at the middle element.

Example:

class ListNode:
    def __init__(self, value=0, next=None):
        self.value = value
        self.next = next

def find_middle(head):
    slow = head
    fast = head

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

    return slow.value

# Example usage:
# Creating a linked list: 1 -> 2 -> 3 -> 4 -> 5
head = ListNode(1, ListNode(2, ListNode(3, ListNode(4, ListNode(5)))))
print(find_middle(head))  # Output: 3

3. Implement a basic hash table with insert and search operations.

A hash table allows for fast data retrieval by using a hash function to map keys to indices in an array. Below is a simple implementation of a hash table in Python with basic insert and search functionalities.

class HashTable:
    def __init__(self, size):
        self.size = size
        self.table = [None] * size

    def _hash(self, key):
        return hash(key) % self.size

    def insert(self, key, value):
        index = self._hash(key)
        if self.table[index] is None:
            self.table[index] = []
        self.table[index].append((key, value))

    def search(self, key):
        index = self._hash(key)
        if self.table[index] is not None:
            for k, v in self.table[index]:
                if k == key:
                    return v
        return None

# Example usage
hash_table = HashTable(10)
hash_table.insert("key1", "value1")
hash_table.insert("key2", "value2")
print(hash_table.search("key1"))  # Output: value1
print(hash_table.search("key3"))  # Output: None

4. Write a function to merge two sorted arrays into a single sorted array.

To merge two sorted arrays into a single sorted array, use a two-pointer technique. This approach involves iterating through both arrays simultaneously, comparing elements, and appending the smaller element to the result array.

Here is a concise implementation in Python:

def merge_sorted_arrays(arr1, arr2):
    merged_array = []
    i, j = 0, 0

    while i < len(arr1) and j < len(arr2):
        if arr1[i] < arr2[j]:
            merged_array.append(arr1[i])
            i += 1
        else:
            merged_array.append(arr2[j])
            j += 1

    merged_array.extend(arr1[i:])
    merged_array.extend(arr2[j:])

    return merged_array

# Example usage:
arr1 = [1, 3, 5]
arr2 = [2, 4, 6]
print(merge_sorted_arrays(arr1, arr2))
# Output: [1, 2, 3, 4, 5, 6]

5. How would you detect a cycle in a linked list?

To detect a cycle in a linked list, use Floyd’s Cycle-Finding Algorithm, also known as the Tortoise and Hare algorithm. This algorithm uses two pointers that move at different speeds. If there is a cycle, the two pointers will eventually meet; if there is no cycle, the fast pointer will reach the end.

Example:

class ListNode:
    def __init__(self, value=0, next=None):
        self.value = value
        self.next = next

def has_cycle(head):
    slow = head
    fast = head

    while fast and fast.next:
        slow = slow.next
        fast = fast.next.next
        if slow == fast:
            return True

    return False

6. Describe the properties of a binary search tree (BST).

A binary search tree (BST) maintains elements in a sorted order, allowing for efficient insertion, deletion, and lookup operations. The key properties of a BST are:

  • Node Structure: Each node contains a key, a reference to the left child, and a reference to the right child.
  • Binary Property: Each node has at most two children.
  • Ordering Property: For any node, all keys in the left subtree are less than the node’s key, and all keys in the right subtree are greater.
  • No Duplicate Keys: Typically, BSTs do not allow duplicate keys.
  • Recursive Structure: The left and right subtrees of a node are themselves BSTs.

7. Write a function to perform an in-order traversal of a binary tree.

In-order traversal of a binary tree is a depth-first traversal method where the nodes are recursively visited in the following order: left subtree, root node, and then right subtree. This traversal method is commonly used to retrieve the nodes of a binary search tree in ascending order.

Here is a simple implementation of in-order traversal in Python:

class TreeNode:
    def __init__(self, value=0, left=None, right=None):
        self.value = value
        self.left = left
        self.right = right

def in_order_traversal(root):
    result = []
    def traverse(node):
        if node:
            traverse(node.left)
            result.append(node.value)
            traverse(node.right)
    traverse(root)
    return result

# Example usage:
# Constructing a simple binary tree
#       1
#      / \
#     2   3
#    / \
#   4   5

root = TreeNode(1)
root.left = TreeNode(2, TreeNode(4), TreeNode(5))
root.right = TreeNode(3)

print(in_order_traversal(root))  # Output: [4, 2, 5, 1, 3]

8. Implement a priority queue using a heap.

A priority queue allows elements to be processed based on their priority. Heaps, specifically binary heaps, are commonly used to implement priority queues because they provide efficient insertion and extraction of the highest (or lowest) priority element.

In Python, the heapq module provides an implementation of the heap queue algorithm. The heapq module functions can be used to create a priority queue.

Example:

import heapq

class PriorityQueue:
    def __init__(self):
        self.heap = []
    
    def push(self, item, priority):
        heapq.heappush(self.heap, (priority, item))
    
    def pop(self):
        return heapq.heappop(self.heap)[1]

pq = PriorityQueue()
pq.push("task1", 2)
pq.push("task2", 1)
pq.push("task3", 3)

print(pq.pop())  # Output: task2
print(pq.pop())  # Output: task1
print(pq.pop())  # Output: task3

9. Write a function to find the shortest path in a graph using Dijkstra’s algorithm.

Dijkstra’s algorithm finds the shortest paths between nodes in a graph. The algorithm works by iteratively selecting the node with the smallest tentative distance, updating the distances of its neighbors, and marking it as visited.

Here is a concise implementation of Dijkstra’s algorithm in Python:

import heapq

def dijkstra(graph, start):
    priority_queue = [(0, start)]
    distances = {node: float('inf') for node in graph}
    distances[start] = 0

    while priority_queue:
        current_distance, current_node = heapq.heappop(priority_queue)

        if current_distance > distances[current_node]:
            continue

        for neighbor, weight in graph[current_node].items():
            distance = current_distance + weight

            if distance < distances[neighbor]:
                distances[neighbor] = distance
                heapq.heappush(priority_queue, (distance, neighbor))

    return distances

graph = {
    'A': {'B': 1, 'C': 4},
    'B': {'A': 1, 'C': 2, 'D': 5},
    'C': {'A': 4, 'B': 2, 'D': 1},
    'D': {'B': 5, 'C': 1}
}

print(dijkstra(graph, 'A'))
# Output: {'A': 0, 'B': 1, 'C': 3, 'D': 4}

10. How would you implement a trie and what are its use cases?

A trie is a specialized tree used to store strings, where each node represents a single character. It is useful for tasks like searching for words in a dictionary, autocomplete features, and spell checking. The main advantage of a trie is that it allows for efficient retrieval of keys with a common prefix.

Here is a simple implementation of a trie in Python:

class TrieNode:
    def __init__(self):
        self.children = {}
        self.is_end_of_word = False

class Trie:
    def __init__(self):
        self.root = TrieNode()

    def insert(self, word):
        node = self.root
        for char in word:
            if char not in node.children:
                node.children[char] = TrieNode()
            node = node.children[char]
        node.is_end_of_word = True

    def search(self, word):
        node = self.root
        for char in word:
            if char not in node.children:
                return False
            node = node.children[char]
        return node.is_end_of_word

    def starts_with(self, prefix):
        node = self.root
        for char in prefix:
            if char not in node.children:
                return False
            node = node.children[char]
        return True

11. Write a function to serialize and deserialize a binary tree.

Serialization and deserialization of a binary tree are essential for tasks such as saving the tree to a file or sending it over a network. Serialization converts the tree into a string representation, while deserialization reconstructs the tree from that string.

Here is an example of how to serialize and deserialize a binary tree in Python:

class TreeNode:
    def __init__(self, val=0, left=None, right=None):
        self.val = val
        self.left = left
        self.right = right

def serialize(root):
    def helper(node):
        if not node:
            return "None,"
        return str(node.val) + "," + helper(node.left) + helper(node.right)
    
    return helper(root)

def deserialize(data):
    def helper(nodes):
        val = next(nodes)
        if val == "None":
            return None
        node = TreeNode(int(val))
        node.left = helper(nodes)
        node.right = helper(nodes)
        return node
    
    return helper(iter(data.split(',')))

# Example usage:
# root = TreeNode(1, TreeNode(2), TreeNode(3, TreeNode(4), TreeNode(5)))
# serialized = serialize(root)
# deserialized = deserialize(serialized)

12. Write a function to implement LRU (Least Recently Used) cache.

An LRU (Least Recently Used) cache stores a limited number of items and removes the least recently accessed item when the cache reaches its limit. This is useful for optimizing memory usage and ensuring that frequently accessed items are readily available.

In Python, an LRU cache can be implemented using the OrderedDict from the collections module. The OrderedDict maintains the order of insertion, which helps in tracking the least recently used items.

from collections import OrderedDict

class LRUCache:
    def __init__(self, capacity: int):
        self.cache = OrderedDict()
        self.capacity = capacity

    def get(self, key: int) -> int:
        if key not in self.cache:
            return -1
        else:
            self.cache.move_to_end(key)
            return self.cache[key]

    def put(self, key: int, value: int) -> None:
        if key in self.cache:
            self.cache.move_to_end(key)
        self.cache[key] = value
        if len(self.cache) > self.capacity:
            self.cache.popitem(last=False)

# Example usage:
lru = LRUCache(2)
lru.put(1, 1)
lru.put(2, 2)
print(lru.get(1))  # returns 1
lru.put(3, 3)     # evicts key 2
print(lru.get(2))  # returns -1 (not found)

13. Describe the differences between depth-first search (DFS) and breadth-first search (BFS) in graph traversal.

Depth-First Search (DFS) and Breadth-First Search (BFS) are two fundamental algorithms used for graph traversal.

DFS explores as far down a branch as possible before backtracking. It uses a stack data structure, either implicitly through recursion or explicitly. DFS is useful for scenarios where you need to explore all possible paths, such as solving puzzles or maze problems.

BFS, on the other hand, explores all neighbors at the present depth level before moving on to nodes at the next depth level. It uses a queue data structure. BFS is ideal for finding the shortest path in an unweighted graph, such as in social networking sites to find the shortest connection path between two users.

Here is a concise example to illustrate the difference:

# DFS implementation
def dfs(graph, start, visited=None):
    if visited is None:
        visited = set()
    visited.add(start)
    for next in graph[start] - visited:
        dfs(graph, next, visited)
    return visited

# BFS implementation
from collections import deque

def bfs(graph, start):
    visited, queue = set(), deque([start])
    while queue:
        vertex = queue.popleft()
        if vertex not in visited:
            visited.add(vertex)
            queue.extend(graph[vertex] - visited)
    return visited

graph = {
    'A': {'B', 'C'},
    'B': {'A', 'D', 'E'},
    'C': {'A', 'F'},
    'D': {'B'},
    'E': {'B', 'F'},
    'F': {'C', 'E'}
}

print(dfs(graph, 'A'))  # Output: {'E', 'D', 'F', 'A', 'C', 'B'}
print(bfs(graph, 'A'))  # Output: {'E', 'D', 'F', 'A', 'C', 'B'}

14. Explain the concept of memoization and how it differs from dynamic programming.

Memoization is a technique used to speed up recursive algorithms by storing the results of expensive function calls and reusing them when the same inputs occur again. It is typically implemented using a dictionary to cache the results of function calls. This technique is particularly useful for problems with overlapping subproblems, such as computing Fibonacci numbers.

Dynamic programming is a broader algorithmic paradigm that involves solving problems by breaking them down into simpler subproblems and solving each subproblem just once. Dynamic programming can be implemented using either a top-down approach (which is essentially memoization) or a bottom-up approach, where the problem is solved iteratively.

Here is an example of memoization in Python:

def fibonacci(n, memo={}):
    if n in memo:
        return memo[n]
    if n <= 1:
        return n
    memo[n] = fibonacci(n-1, memo) + fibonacci(n-2, memo)
    return memo[n]

print(fibonacci(10))  # Output: 55

In this example, the fibonacci function uses a dictionary memo to store the results of previous function calls. This prevents redundant calculations and significantly speeds up the computation of Fibonacci numbers.

15. Describe the properties and use cases of a deque (double-ended queue).

A deque, or double-ended queue, allows for the addition and removal of elements from both ends. It is part of the collections module in Python and provides an efficient way to handle such operations with O(1) time complexity for append and pop operations from both ends.

Properties of a deque:

  • Supports thread-safe, memory-efficient appends and pops from either side.
  • Can be bounded (fixed size) or unbounded.
  • Provides O(1) time complexity for append and pop operations from both ends.

Use cases of a deque:

  • Implementing queues and stacks.
  • Maintaining a list of recently used items (e.g., LRU cache).
  • Sliding window problems where elements are added and removed from both ends.

Example:

from collections import deque

# Create a deque
d = deque()

# Append elements to the right
d.append(1)
d.append(2)

# Append elements to the left
d.appendleft(3)
d.appendleft(4)

# Pop elements from the right
d.pop()  # Output: 2

# Pop elements from the left
d.popleft()  # Output: 4

print(d)  # Output: deque([3, 1])
Previous

15 Payment Domain Interview Questions and Answers

Back to Interview