You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

94 lines
2.0 KiB

This file contains ambiguous Unicode characters!

This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.

package class37;
// 注意我们课上讲了一个别的题并不是leetcode 114
// 我们课上讲的是,把一棵搜索二叉树变成有序链表,怎么做
// 而leetcode 114是把一棵树先序遍历的结果串成链表
// 所以我更新了代码这个代码是leetcode 114的实现
// 利用morris遍历
public class Problem_0114_FlattenBinaryTreeToLinkedList {
// 这个类不用提交
public static class TreeNode {
public int val;
public TreeNode left;
public TreeNode right;
public TreeNode(int value) {
val = value;
}
}
// 普通解
public static void flatten1(TreeNode root) {
process(root);
}
public static class Info {
public TreeNode head;
public TreeNode tail;
public Info(TreeNode h, TreeNode t) {
head = h;
tail = t;
}
}
public static Info process(TreeNode head) {
if (head == null) {
return null;
}
Info leftInfo = process(head.left);
Info rightInfo = process(head.right);
head.left = null;
head.right = leftInfo == null ? null : leftInfo.head;
TreeNode tail = leftInfo == null ? head : leftInfo.tail;
tail.right = rightInfo == null ? null : rightInfo.head;
tail = rightInfo == null ? tail : rightInfo.tail;
return new Info(head, tail);
}
// Morris遍历的解
public static void flatten2(TreeNode root) {
if (root == null) {
return;
}
TreeNode pre = null;
TreeNode cur = root;
TreeNode mostRight = null;
while (cur != null) {
mostRight = cur.left;
if (mostRight != null) {
while (mostRight.right != null && mostRight.right != cur) {
mostRight = mostRight.right;
}
if (mostRight.right == null) {
mostRight.right = cur;
if (pre != null) {
pre.left = cur;
}
pre = cur;
cur = cur.left;
continue;
} else {
mostRight.right = null;
}
} else {
if (pre != null) {
pre.left = cur;
}
pre = cur;
}
cur = cur.right;
}
cur = root;
TreeNode next = null;
while (cur != null) {
next = cur.left;
cur.left = null;
cur.right = next;
cur = next;
}
}
}