Given a binary tree, return all root-to-leaf paths.
For example, given the following binary tree:
1
/ \
2 3
\
5
All root-to-leaf paths are:
[“1->2->5”, “1->3”]
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
vector<string> paths;
vector<string> binaryTreePaths(TreeNode* root) {
if(root != NULL)
{
string val;
stringstream ss;
ss << root->val;
ss >> val;
findPath(root, val);
}
return paths;
}
void findPath(TreeNode* root, string path)
{
if(root->left==NULL && root->right==NULL)
paths.push_back(path);
if(root->left != NULL)
{
string val;
stringstream ss;
ss << root->left->val;
ss >> val;
findPath(root->left, path+"->"+val);
}
if(root->right != NULL)
{
string val;
stringstream ss;
ss << root->right->val;
ss >> val;
findPath(root->right, path+"->"+val);
}
}
};