Given a binary tree, flatten it to a linked list in-place.
For example,
Given
1
/ \
2 5
/ \ \
3 4 6
The flattened tree should look like:
1
\
2
\
3
\
4
\
5
\
6
keep track of parent
/**
* Definition for binary tree
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
void flatten(TreeNode *root) {
// Start typing your C/C++ solution below
// DO NOT write int main() function
if(!root) return;
get(root,root);
}
void get(TreeNode *root, TreeNode *& p){
if(!root) return;
TreeNode *l=root->left;
TreeNode *r=root->right;
if(root!=p){
p->left=NULL;
p->right=root;
p=root;}
get(l,p);
get(r,p);
}
};
本文介绍了一种将二叉树结构通过特定算法展平为链表的方法。通过对二叉树节点进行操作,使其左子节点置空,右子节点链接到下一个节点,最终形成一个单链表形式的有序节点序列。
846

被折叠的 条评论
为什么被折叠?



