Tag: Tree

  • LeetCode: 572 Subtree of Another Tree

    Given the roots of two binary trees root and subRoot, write a function to determine if subRoot is a subtree of root. A subtree of a binary tree T is a tree that consists of a node in T and all of this node’s descendants. The tree T could also…

  • LeetCode: 100 Same Tree

    Given the roots of two binary trees p and q, write a function to check if they are the same or not. Two binary trees are considered the same if they are structurally identical, and the nodes have the same value. Example: Input: p = [1,2,3], q = [1,2,3] Output:…

  • Algorithms 101: PreOrder Traversal

    先序遍历 PreOrder traversal is a tree traversal method where the root node is visited before its children. It is one of the depth-first search (DFS) methods used to explore all the nodes in a tree. In PreOrder traversal, the process is to visit the root node first, then recursively visit…

  • LeetCode: 110 Balanced Binary Tree

    Given a binary tree, determine if it is height-balanced. For this problem, a height-balanced binary tree is defined as: A binary tree in which the left and right subtrees of every node differ in height by no more than 1. Example: Input: root = [3,9,20,null,null,15,7] Output: true Input: root =…

  • Algorithms 101: Ultimate Guide to Solving Binary Tree Coding Problems with Tips & Techniques

    Algorithms 101: Ultimate Guide to Solving Binary Tree Coding Problems with Tips & Techniques

    Binary Tree Problems and Solutions 1. Sum of Elements in a Binary Tree Python Code: class TreeNode: def __init__(self, value=0, left=None, right=None): self.value = value self.left = left self.right = right def sum_of_elements(root): if root is None: return 0 left_sum = sum_of_elements(root.left) right_sum = sum_of_elements(root.right) return root.value + left_sum +…

  • Algorithms 101: Non-Recursive Binary Tree Traversal

    Non-Recursive Binary Tree Traversal by 砖家王二狗 In-order Traversal: In in-order traversal, we visit the left subtree, then the root, and finally the right subtree. Here’s a non-recursive example in Python: def in_order_traversal(root): result = [] stack = [] current = root while current or stack: while current: stack.append(current) current =…

  • Algorithms 101: Tree Preorder Traversal Using Recursive and Iterative Methods

    Tree Preorder Traversal in Recursive and Iterative Ways In the context of the provided search results, it seems that the term "preorder" is primarily associated with marketing strategies, product launches, and customer engagement. However, I believe you are referring to the preorder traversal technique used in tree data structures. Preorder…