- 【2错-2】Two Sum IV - Input is a BS
- LeetCode刷题之Two Sum IV - Input is
- [刷题防痴呆] 0653 - 两数之和IV - 输入BST (T
- LeetCode | 0653. 两数之和 IV - 输入 BS
- Leetcode PHP题解--D89 653. Two Sum
- 跟我一起刷leetCode算法题8之Two Sum II - I
- LeetCode之Two Sum IV - Input is a
- 2022-04-28 「167. 两数之和 II - 输入有序数
- LeetCode算法题-Two Sum IV - Input i
- LeetCode 1. Two Sum (Easy)
Problem
Given a Binary Search Tree and a target number, return true if there exist two elements in the BST such that their sum is equal to the given target.
Example 1:
Input:
5
/ \
3 6
/ \ \
2 4 7
Target = 9
Output: True
Example 2:
Input:
5
/ \
3 6
/ \ \
2 4 7
Target = 28
Output: False
My Solution
class Solution {
Map<Integer, Integer> map = new HashMap();
boolean flag = false;
public void preOrder(TreeNode node, int k, int order) {
if (node != null) {
if (map.containsValue(k - visit(node))) {
flag = true;
return;
} else {
map.put(order, visit(node));
}
preOrder(node.left, k, 2 * order);
preOrder(node.right, k, 2 * order + 1);
}
}
public int visit(TreeNode node) {
return node.val;
}
public boolean findTarget(TreeNode root, int k) {
preOrder(root, k, 1);
return flag;
}
}
Great Solution
public class Solution {
public boolean findTarget(TreeNode root, int k) {
Set < Integer > set = new HashSet();
return find(root, k, set);
}
public boolean find(TreeNode root, int k, Set < Integer > set) {
if (root == null)
return false;
if (set.contains(k - root.val))
return true;
set.add(root.val);
return find(root.left, k, set) || find(root.right, k, set);
}
}
网友评论