257. 二叉树的所有路径

给你一个二叉树的根节点 root ,按 任意顺序 ,返回所有从根节点到叶子节点的路径。

叶子节点 是指没有子节点的节点。

示例 1:

257. 二叉树的所有路径_第1张图片

输入:root = [1,2,3,null,5]
输出:["1->2->5","1->3"]

示例 2:

输入:root = [1]
输出:["1"]
/**
 * 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:
    vector binaryTreePaths(TreeNode* root) {
        //迭代,栈。队列和栈都可以。
        //其实就是达到某个条件时,栈内的元素组成的线路就是一个答案
        stackst_node;
        stackst_path;
        vectorres;
        
        if(!root) return res;
        st_node.push(root);
        st_path.push(to_string(root->val));
        while(!st_node.empty()){
            TreeNode* node = st_node.top();
            st_node.pop();
            string paths = st_path.top();
            st_path.pop();
            if(!node->left && !node->right){ //到达叶子节点
                res.push_back(paths);
            }
            //右节点不为空,入栈
            if(node->right){
                st_node.push(node->right);
                st_path.push(paths + "->" + to_string(node->right->val));//拼接
            }
            //左节点不为空,入栈
            if(node->left){
                st_node.push(node->left);
                st_path.push(paths + "->" + to_string(node->left->val));//拼接
            }
        }
        return res;
    }
};
class Solution {
public:
    vectorres;
    vectorpath;
    void dfs(TreeNode* root,vector&path,vector&res){
        //前序
        if(!root) return;
        path.push_back(to_string(root->val));
        if(!root->left && !root->right){
            string tmp;
            for(int i = 0;i < path.size()-1;i++){
                tmp += path[i];
                tmp += "->";
            }
            tmp += path[path.size()-1];
            res.push_back(tmp);
        }
        if(root->left){
            dfs(root->left,path,res);
            path.pop_back();
        }
        
        if(root->right){
            dfs(root->right,path,res);
            path.pop_back();
        }
    }
    vector binaryTreePaths(TreeNode* root) {
        //dfs
        if(!root) return res;
        dfs(root,path,res);
        return res;
    }
};

你可能感兴趣的:(leetcode练习,算法,c++)