作者热门文章
- 使用 Spring Initializr 创建 Spring Boot 应用程序
- 在Spring Boot中配置Cassandra
- 在 Spring Boot 上配置 Tomcat 连接池
- 将Camel消息路由到嵌入WildFly的Artemis上
给你二叉树的根结点 root ,请你将它展开为一个单链表:
① 展开后的单链表应该同样使用 TreeNode ,其中 right 子指针指向链表中下一个结点,而左子指针始终为 null 。
② 展开后的单链表应该与二叉树先序遍历顺序相同。
示例 1:
输入:root = [1,2,5,3,4,null,6]
输出:[1,null,2,null,3,null,4,null,5,null,6]
示例 2:
输入:root = []
输出:[]
示例 3:
输入:root = [0]
输出:[0]
提示:
树中结点数在范围 [0, 2000] 内
-100 <= Node.val <= 100
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/flatten-binary-tree-to-linked-list
(1)递归
//思路1————递归
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public void flatten(TreeNode root) {
if (root == null) {
return;
}
//使用递归将以root为根节点的树的左右子树展开成一条链表
flatten(root.left);
flatten(root.right);
//分别用left和right保存以root为根节点的树的左右子树的根节点
TreeNode left = root.left;
TreeNode right = root.right;
//将以root为根节点的树左子树作为右子树
root.left = null;
root.right = left;
//将原来的右子树连接到当前右子树的末端
TreeNode p = root;
//让指针p先遍历到当前右子树的末端
while (p.right != null) {
p = p.right;
}
/*
此时p.right = null
只需将right连接到p的末端即可
*/
p.right = right;
}
}
我是一名优秀的程序员,十分优秀!