Python DSA
Binary Search Trees
BST implementation
Binary Search Trees
A Binary Search Tree (BST) is a binary tree where the left subtree contains nodes with values less than the root, and the right subtree contains nodes with values greater than the root.
BST Implementation
class BSTNode:
def __init__(self, data):
self.data = data
self.left = None
self.right = None
def insert(self, data):
if data < self.data:
if self.left is None:
self.left = BSTNode(data)
else:
self.left.insert(data)
else:
if self.right is None:
self.right = BSTNode(data)
else:
self.right.insert(data)