面试题 17.12. BiNode
难度:简单
二叉树数据结构TreeNode
可用来表示单向链表(其中left
置空,right
为下一个链表节点)。实现一个方法,把二叉搜索树转换为单向链表,要求依然符合二叉搜索树的性质,转换操作应是原址的,也就是在原始的二叉搜索树上直接修改。
返回转换后的单向链表的头节点。
**注意:**本题相对原题稍作改动
示例:
输入: [4,2,5,1,3,null,6,0]
输出: [0,null,1,null,2,null,3,null,4,null,5,null,6]
提示:
- 节点数量不会超过 100000。
解题:
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
//中序遍历
//时间复杂度O(N),空间复杂度O(N)
TreeNode head = new TreeNode(-1);
TreeNode temp = null;
public TreeNode convertBiNode(TreeNode root) {
changeBiNode(root);
return head.right;
}
public void changeBiNode(TreeNode root){
if(root == null) return;
changeBiNode(root.left);
if(temp == null){
head.right = root;
}else{
temp.right = root;
}
temp = root;
temp.left = null;
changeBiNode(root.right);
}
}
参考自:
作者:LeetCode-Solution
链接:https://leetcode-cn.com/problems/binode-lcci/solution/binode100jian-dan-yi-dong-by-zui-weng-jiu-xian/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。