您的位置:首页 > 编程语言 > C语言/C++

LeetCode-Binary Tree Paths -解题报告

2015-08-29 23:55 579 查看
原题链接 https://leetcode.com/problems/binary-tree-paths/

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"]


打印出到叶子节点的路径。

dfs就行了,还有一点就是value可能是负数。

/**
* 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> binaryTreePaths(TreeNode* root) {
flag = false;
dfs(root, "");
return ans;
}
void dfs(TreeNode* root, string path)
{
if (root == NULL)return;
if (root->left == NULL && root->right == NULL)
{
if (!flag)flag = true;
else path += "->";
ans.push_back(path + iTos(root->val));
return;
}
if (!flag)flag = true;
else path += "->";
path += iTos(root->val);
dfs(root->left, path);
dfs(root->right, path);

}
string iTos(int& val)
{
bool flag = true;
if (val < 0)flag = false, val = -val;
string str = "";
while (val)
{
str = (char((val % 10) + '0')) + str;
val /= 10;
}
if (!flag)str = "-" + str;
return str;
}
private:
bool flag;
vector<string>ans;
};
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签:  C++ leetcode