With the Quadtree system, secret pictures (like treasure maps) were encoded in the following way: If the whole picture was black, it was encoded by the letter B. If it was completely white, it was encoded by W. If both colors were used (what was usually the case), it was encoded by Qxxxx where each x was a string that recursively encoded one quarter of the picture (in the order top left, top right, bottom left, bottom right). As the Aztecs always used quadratic pictures with n*n pixels where n was a power of two, this method always worked perfectly.
A 2*2 chess board, for instance, would be encoded as QWBBW, a 4*4 chess board as QQWBBWQWBBWQWBBWQWBBW.
Your job is to decode the quadtree string and output the picture in the XBM format (see output specification).
Input
The input contains an integer n (8 <= n <= 512) on the first line, giving the size of the picture in pixels per row/column. n will always be a power of two.
On the second line, a string consisting of the letters B, W and Q follows. The string encodes a picture with n*n pixels with the quadtree scheme.
Output
Sample Input
16
QQWBBWQWBBWQWBBWQWBBW
Sample Output
Note: The comments (enclosed by /* and */) are not part of the output. They should help to explain the XBM format.
#define quadtree_width 16
#define quadtree_height 16
static char quadtree_bits[] = {
0xf0,0xf0, /* WWWWBBBB WWWWBBBB */
0xf0,0xf0, /* WWWWBBBB WWWWBBBB */
0xf0,0xf0, /* WWWWBBBB WWWWBBBB */
0xf0,0xf0, /* WWWWBBBB WWWWBBBB */
0x0f,0x0f, /* BBBBWWWW BBBBWWWW */
0x0f,0x0f, /* BBBBWWWW BBBBWWWW */
0x0f,0x0f, /* BBBBWWWW BBBBWWWW */
0x0f,0x0f, /* BBBBWWWW BBBBWWWW */
0xf0,0xf0, /* WWWWBBBB WWWWBBBB */
0xf0,0xf0, /* WWWWBBBB WWWWBBBB */
0xf0,0xf0, /* WWWWBBBB WWWWBBBB */
0xf0,0xf0, /* WWWWBBBB WWWWBBBB */
0x0f,0x0f, /* BBBBWWWW BBBBWWWW */
0x0f,0x0f, /* BBBBWWWW BBBBWWWW */
0x0f,0x0f, /* BBBBWWWW BBBBWWWW */
0x0f,0x0f, /* BBBBWWWW BBBBWWWW */
};
题意:在一个n*n的矩阵里,用BWQ表示其内容,对于某一个矩阵,B表示其全是B,W表示其全是W,Q表示其WB都有,其后依照左上,右上,左下,右下的顺序给出这四个子矩阵的内容。
思路:四分树的思想,dfs即可。
AC代码如下:
#include
#include
using namespace std;
int n,tree[520][520],pos,len;
char s[1000010];
char trans[30]={'0','1','2','3','4','5','6','7','8','9','a','b','c','d','e','f'};
void dfs(int x,int y,int num)
{
int i,j,k;
char c=s[++pos];
if(c=='Q')
{
num/=2;
dfs(x,y,num);
dfs(x,y+num,num);
dfs(x+num,y,num);
dfs(x+num,y+num,num);
}
else
{
if(c=='W')
k=0;
else
k=1;
for(i=x;i<=x+num;i++)
for(j=y;j<=y+num;j++)
tree[i][j]=k;
}
}
void print()
{
int i,j,k,ret;
printf("#define quadtree_width %d\n",n);
printf("#define quadtree_height %d\n",n);
printf("static char quadtree_bits[] = {\n");
for(i=1;i<=n;i++)
{
for(j=1;j<=n;j+=8)
{
ret=0;
for(k=0;k<8;k++)
ret+=tree[i][j+k]*(1<