leetcode114. 二叉树展开为链表

分析

暴力

用先序遍历将节点都存下来,然后再转化为链表。

/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
public:
    void preorder(TreeNode* root,vector<TreeNode*>&path){
        if(root==nullptr)return ;
        path.push_back(root);
        preorder(root->left,path);
        preorder(root->right,path);
    }
    void flatten(TreeNode* root) {
        vector<TreeNode*>path;
        preorder(root,path);
        for(int i=0;i<path.size();i++){
            if(i==path.size()-1){
                path[i]->right=nullptr;
                path[i]->left=nullptr;
            }
            else {
                path[i]->right=path[i+1];
                path[i]->left=nullptr;
            }
        }
    }
};
寻找前驱节点
  1. 如果一个节点左子树为空,此时什么都不做,这个节点就已经是有序链表了,直接到右子树去。
  2. 如果左子树不空,根据先序遍历,需要把这个节点的右子树搬到左子树最右边的节点接上。
/**
 * Definition for a binary tree node.
 * struct TreeNode {
 *     int val;
 *     TreeNode *left;
 *     TreeNode *right;
 *     TreeNode() : val(0), left(nullptr), right(nullptr) {}
 *     TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
 *     TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
 * };
 */
class Solution {
public:
    void flatten(TreeNode* root) {
        TreeNode* cur=root;
        while(cur!=nullptr){
            if(cur->left!=nullptr){//左子树不空
                TreeNode* temp=cur->left;
                TreeNode* last=temp;
                while(last->right){//找到左子树最右边的节点last
                    last=last->right;
                }
		//将cur节点的右子树搬到last后面
                last->right=cur->right;
                cur->right=temp;
                cur->left=nullptr;
            } 
            cur=cur->right;//更新cur
        }
    }
};