Wednesday, May 29, 2019

LeetCode [427] Construct Quad Tree

We want to use quad trees to store an N x N boolean grid. Each cell in the grid can only be true or false. The root node represents the whole grid. For each node, it will be subdivided into four children nodes until the values in the region it represents are all the same.
Each node has another two boolean attributes : isLeaf and valisLeafis true if and only if the node is a leaf node. The val attribute for a leaf node contains the value of the region it represents.
Your task is to use a quad tree to represent a given grid. The following example may help you understand the problem better:
Given the 8 x 8 grid below, we want to construct the corresponding quad tree:
It can be divided according to the definition above:

The corresponding quad tree should be as following, where each node is represented as a (isLeaf, val) pair.
For the non-leaf nodes, val can be arbitrary, so it is represented as *.
Note:
  1. N is less than 1000 and guaranteened to be a power of 2.
  2. If you want to know more about the quad tree, you can refer to its wiki.
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
/*
// Definition for a QuadTree node.
class Node {
public:
    bool val;
    bool isLeaf;
    Node* topLeft;
    Node* topRight;
    Node* bottomLeft;
    Node* bottomRight;

    Node() {}

    Node(bool _val, bool _isLeaf, Node* _topLeft, Node* _topRight, Node* _bottomLeft, Node* _bottomRight) {
        val = _val;
        isLeaf = _isLeaf;
        topLeft = _topLeft;
        topRight = _topRight;
        bottomLeft = _bottomLeft;
        bottomRight = _bottomRight;
    }
};
*/
class Solution {
    int N;
public:
    Node* construct(vector<vector<int>>& grid) {
        N = grid.size();
        return helper(grid, 0, 0, N-1, N-1);
    }
    
    Node* helper(vector<vector<int>>& grid, int r1, int c1, int r2, int c2)
    {
        bool isLeaf = true;
        for(int i=r1; i<=r2; ++i)
        {
            for(int j=c1; j<=c2; ++j)
            {
                if(grid[i][j]!=grid[r1][c1]){isLeaf = false; break;}
            }
        }
        if(isLeaf){
            return new Node(grid[r1][c1]==1, true, NULL, NULL, NULL, NULL);
        }
        Node* tl = helper(grid, r1, c1, r1+(r2-r1)/2, c1+(c2-c1)/2);
        Node* tr = helper(grid, r1, c1+(c2-c1+1)/2, r1+(r2-r1)/2, c2);
        Node* bl = helper(grid, r1+(r2-r1+1)/2, c1, r2, c1+(c2-c1)/2);
        Node* br = helper(grid, r1+(r2-r1+1)/2, c1+(c2-c1+1)/2, r2, c2);
        return new Node(false, false, tl, tr, bl, br);
    }
};

No comments:

Post a Comment