/**
* 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:
//递归三要素:
//1.参数和返回值
//2.终止条件
//3.处理逻辑
//前序遍历 便于从父节点指向子节点
void traversal(TreeNode* cur,vector<int>&path,vector<string>&result)
{
path.push_back(cur->val); //压入vector 用于后期回溯
if(cur->left==nullptr&&cur->right==nullptr) //到达子叶节点 左右子树均为空
{
string temp_string;
int i,j;
for(i=0;i<path.size()-1;i++)
{
temp_string+=to_string(path[i]);
temp_string+="->";
}
temp_string+=to_string(path[path.size()-1]);
result.push_back(temp_string);
}
if(cur->left)
{
traversal(cur->left,path,result);
path.pop_back(); //这里体现了回溯的思想
}
if(cur->right)
{
traversal(cur->right,path,result);
path.pop_back(); //这里体现了回溯的思想
}
};
vector<string> binaryTreePaths(TreeNode* root)
{
//我的理解:一开始不要直接构造字符串 先把所有路径都提取出来 在一次性完成字符串的构造
//核心:递归+回溯
int i,j;
vector<string> result;
vector<int> path;
//题目中说明至少有一个节点
traversal(root,path,result);
return result;
}
};