leetcode 297. 二叉树的序列化与反序列化

 

序列化是将一个数据结构或者对象转换为连续的比特位的操作,进而可以将转换后的数据存储在一个文件或者内存中,同时也可以通过网络传输到另一个计算机环境,采取相反方式重构得到原数据。

请设计一个算法来实现二叉树的序列化与反序列化。这里不限定你的序列 / 反序列化算法执行逻辑,你只需要保证一个二叉树可以被序列化为一个字符串并且将这个字符串反序列化为原始的树结构。

提示: 输入输出格式与 LeetCode 目前使用的方式一致,详情请参阅 LeetCode 序列化二叉树的格式。你并非必须采取这种方式,你也可以采用其他的方法解决这个问题。

 

示例 1:

leetcode 297. 二叉树的序列化与反序列化
输入:root = [1,2,3,null,null,4,5]
输出:[1,2,3,null,null,4,5]
示例 2:

输入:root = []
输出:[]
示例 3:

输入:root = [1]
输出:[1]
示例 4:

输入:root = [1,2]
输出:[1,2]
 

提示:

树中结点数在范围 [0, 104] 内
-1000 <= Node.val <= 1000

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/serialize-and-deserialize-binary-tree
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

1:把二叉树先前序遍历,变成一个字符串,遇到null,则直接拼接null,否则拼接节点的值,用逗号分隔。

2:用逗号把字符串转换为数组,然后遍历数组,组装成树。

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
public class Codec {

    public String serialize(TreeNode root) {
        StringBuilder res = new StringBuilder();
        node2Str(root, res);
        return res.toString();
    }

    private void node2Str(TreeNode root, StringBuilder str) {
        if (null == root) {
            str.append("null,");
            return;
        }
        str.append(root.val);
        str.append(",");
        node2Str(root.left, str);
        node2Str(root.right, str);
    }

    private int index = 0;
    private String[] strs;

    public TreeNode deserialize(String data) {
        strs = data.split(",");
        index = 0;
        return str2Node();
    }

    private TreeNode str2Node() {
        if ("null".equals(strs[index])) {
            index++;
            return null;
        }
        TreeNode res = new TreeNode(Integer.valueOf(strs[index]));
        index++;
        res.left = str2Node();
        res.right = str2Node();
        return res;
    }
}

// Your Codec object will be instantiated and called as such:
// Codec codec = new Codec();
// codec.deserialize(codec.serialize(root));

leetcode 297. 二叉树的序列化与反序列化

leetcode 297. 二叉树的序列化与反序列化

上一篇:volatile关键字(2)


下一篇:Ueditor 前后端分离实现文件上传到独立服务器