OR35. 二叉树的序列化
描述
二叉树被记录成文件的过程叫做二叉树的序列化。序列化的方法有很多,这里我们采用括号序列的方法将其序列化,所谓括号序列指的是对于一个节点生成一个括号,括号内是其子树的括号序列,其中左儿子(若存在)的括号在前,右儿子(若存在)的括号在后。对于给定的树,请设计高效的算法,将其序列化。
给定一个树的根节点指针root,请返回一个字符串,代表其序列化后的括号序列。
C++ 解法, 执行用时: 3ms, 内存消耗: 556KB, 提交时间: 2022-05-06
/* struct TreeNode { int val; struct TreeNode *left; struct TreeNode *right; TreeNode(int x) : val(x), left(NULL), right(NULL) { } };*/ class TreeToSequence { public: string toSequence(TreeNode* root) { // write code here string res; if(!root) return res; res = '(' + toSequence(root->left)+ toSequence(root->right) +')'; return res; } };
C++ 解法, 执行用时: 3ms, 内存消耗: 556KB, 提交时间: 2022-02-11
/* struct TreeNode { int val; struct TreeNode *left; struct TreeNode *right; TreeNode(int x) : val(x), left(NULL), right(NULL) { } };*/ class TreeToSequence { public: string toSequence(TreeNode* root) { // write code here if(!root) return ""; return "("+toSequence(root->left)+toSequence(root->right)+")"; } };