LeetCode刷题实战431:将 N 叉树编码为二叉树
程序IT圈
共 2292字,需浏览 5分钟
·
2021-11-09 14:51
解题
left
,其余的兄弟节点 3,4 都接在其左边兄弟节点的right
/*
// Definition for a Node.
class Node {
public:
int val;
vectorchildren;
Node() {}
Node(int _val) {
val = _val;
}
Node(int _val, vector_children) {
val = _val;
children = _children;
}
};
*/
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Codec {
public:
// Encodes an n-ary tree to a binary tree.
TreeNode* encode(Node* root) {
if(!root) return NULL;
TreeNode* newroot = new TreeNode(root->val);
TreeNode* cur = NULL;
if(!root->children.empty())
{
newroot->left = encode(root->children[0]);
cur = newroot->left;
}
for(int i = 1; i < root->children.size(); ++i)
{
cur->right = encode(root->children[i]);
cur = cur->right;
}
return newroot;
}
// Decodes your binary tree to an n-ary tree.
Node* decode(TreeNode* root) {
if(!root) return NULL;
Node *newroot = new Node(root->val);
TreeNode *cur = NULL;
if(root->left)
{
newroot->children.push_back(decode(root->left));
cur = root->left;
}
while(cur && cur->right)
{
newroot->children.push_back(decode(cur->right));
cur = cur->right;
}
return newroot;
}
};
评论