652. 寻找重复的子树
思路:
开两个哈希表,第一个ids分配每个树的id,第二个哈希表hash存每个树出现的次数,通过id映射。如果出现的次数超过了2,说明是重复的。
代码:
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
public:
unordered_map<string,int> ids;//ids 存的是string 到 int的映射 是id
unordered_map<int,int> hash;// hash 存id对于的string 出现多少次
int cnt = 0;
vector<TreeNode*> res;
vector<TreeNode*> findDuplicateSubtrees(TreeNode* root) {
dfs(root);
return res;
}
int dfs(TreeNode* root){
if(!root) return 0;
int left = dfs(root->left);
int right = dfs(root->right);
string key = to_string(root->val) + ' ' + to_string(left) + ' ' + to_string(right);
if(!ids.count(key)) ids[key] = ++cnt;
int id = ids[key];
if(++hash[id] == 2) res.push_back(root);
return id;
}
};
评论区