力扣hot100 二叉树展开为链表 递归 特殊遍历

2024-01-07 19:29:45

👨?🏫 题目地址

在这里插入图片描述

😋 将左子树插入到右子树上

👩?🏫 参考题解

/**
 * 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)
	{
		while (root != null)
		{
			if (root.left == null)// 找到具有左节点的树
				root = root.right;
			else
			{
				TreeNode pre = root.left;// 当前左子树的先序遍历序列的最后一个结点
				while (pre.right != null)
					pre = pre.right;
				pre.right = root.right;// 将当前右子树接在左子树的最右结点的右孩子上
				root.right = root.left;// 左子树插入当前树的右子树的位置上
				root.left = null;
				root = root.right;// 递归处理每一个拥有左子树的结点
			}
		}
	}
}

😋 递归

👩?🏫 参考题解

null<-6<-5<-4<-3<-2<-1

class Solution {
	public void flatten(TreeNode root) {
		helper(root);
	}
	TreeNode pre = null;
	void helper(TreeNode root) {
		if(root==null) {
			return;
		}
		//右节点-左节点-根节点 这种顺序正好跟前序遍历相反
		//用pre节点作为媒介,将遍历到的节点前后串联起来
		helper(root.right);
		helper(root.left);
		root.left = null;
		root.right = pre;
		pre = root;
	}
}

文章来源:https://blog.csdn.net/lt6666678/article/details/135383998
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。