-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathserialize_binary_tree.cpp
More file actions
68 lines (59 loc) · 1.52 KB
/
serialize_binary_tree.cpp
File metadata and controls
68 lines (59 loc) · 1.52 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
// 297. Serialize and Deserialize Binary Tree
// Author: xianfeng.zhu@gmail.com
#include <string>
using std::string;
// Definition for a binary tree node.
struct TreeNode
{
int val;
TreeNode* left;
TreeNode* right;
TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
};
// Recursive, DFS
class Codec
{
public:
// Encodes a tree to a single string.
string serialize(TreeNode* root)
{
if (root == nullptr)
{
// Use '*' represent nullptr
return string("*");
}
string data = std::to_string(root->val);
data += " " + serialize(root->left);
data += " " + serialize(root->right);
return data;
}
// Decodes your encoded data to tree.
TreeNode* deserialize(const string& data)
{
int start = 0;
return deserialize(data, start);
}
private:
TreeNode* deserialize(const string& data, int& start)
{
auto idx = data.find(' ', start);
string sub = data.substr(start, (idx != string::npos ? (idx - start) : string::npos));
if (sub == "*")
{
start = idx + 1;
return nullptr;
}
start = idx + 1;
TreeNode* node = new TreeNode(std::stoi(sub));
node->left = deserialize(data, start);
node->right = deserialize(data, start);
return node;
}
};
int main(int argc, char* argv[])
{
TreeNode* root = nullptr;
Codec codec;
auto* tree = codec.deserialize(codec.serialize(root));
return 0;
}