두 갈래 나무를 단일 체인 테이블로 간소화하기 Flatten Binary Tree to Linked List

1497 단어
제목:
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

사고방식: 위의 그림에서 알 수 있듯이 두 갈래 나무를 단사슬표로 간소화한 후에 결점의 왼쪽 바늘은 이미 폐기되었고 왼쪽 바늘로next를 사용한다.이것도 두 갈래 나무의 수형 구조를 서열화하는 과정이니 참고했다http://blog.csdn.net/ojshilu/article/details/20646329의 사고방식은last 변수를 사용하여 귀속에 앞의 순서를 반복하는 선구 결점을 저장합니다.
주의: 왼쪽 포인터를 모두 NULL로 비워야 합니다!
/**
 * 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) {
        if(root == NULL)
             return;
        TreeNode *last = NULL;
        fun(root, last);       
    }
    
    void fun(TreeNode *root, TreeNode* &last)
    {
        // , root
        TreeNode *l = root->left;
        TreeNode *r = root->right;
    
        if(last != NULL)
        {
            last->right = root;
            last->left = NULL;// left
        }
    
        last = root;
        if(l != NULL)
            fun(l, last);
    
        if(r != NULL)
            fun(r, last);
    }

};

비슷한 문제는 두 갈래 정렬 트리를 질서정연한 쌍방향 체인 시계로 바꾸는 것이다.

좋은 웹페이지 즐겨찾기