题目链接:点击此处
题目大意:
一个4×4的棋盘,只有正面和反面的棋子,每翻一个棋子,它上下左右的棋也会跟着翻动,问最少几步能翻成全黑或全白。
解题思路:
我此题用的是暴力枚举的方法,因为只有2^16次方种情况,也就是65536种。枚举的时间不会很多。然后用位运算,判断这个棋子该不该翻。
其实此题还可以用高斯消元,效率高多了,等学会了写了再发。
代码如下:
#include<cstdio>
#include<ctype.h>
#include<algorithm>
#include<iostream>
#include<cstring>
#include<vector>
using namespace std;
bool chess[16],temp[16];
int step = 20;
void reversal(int i)//其实这里我写复杂了,其实可以把chess设置大一些,这样改变边缘的内容就不是需要的内容了,也就是不需要额外判断了,懒得改了。。
{
int line = i/4,column = i%4;
temp[i] = !temp[i];
if(line == 0)
temp[i+4] = !temp[i+4];
else
{
if(line == 3)
temp[i-4] = !temp[i-4];
else
{
temp[i+4] = !temp[i+4];
temp[i-4] = !temp[i-4];
}
}
if(column == 0)
temp[i+1] = !temp[i+1];
else
{
if(column == 3)
temp[i-1] = !temp[i-1];
else
{
temp[i+1] = !temp[i+1];
temp[i-1] = !temp[i-1];
}
}
}
bool judge()
{
bool flag = temp[0];
for(int i = 1; i < 16; i++)
{
if(temp[i] != flag)
return false;
}
return true;
}
void restore()
{
for(int i = 0; i < 16; i++)
temp[i] = chess[i];
}
int solve(int n)//这里看仔细点很好理解,就是位运算
{
int ncount = 0;
for(int i = 0; i < 16; i++)
{
if(n&1)
{
reversal(i);
ncount++;
}
n >>= 1;
}
if(judge())
{
restore();
return ncount;
}
restore();
return 0;
}
int main()
{
int ans,i;
char a;
for(i = 0; i < 16; i++)
{
cin>>a;
if(a == 'b')
chess[i] = 0;
else
chess[i] = 1;
}
// for(i = 0; i < 4; i++)
// {
// for(int j = 0; j < 4;j++)
// cout<<chess[i*4+j]<<" ";
// cout<<endl;
// }
restore();
for(i = 0; i < 65536;i++)//0-65535
{
ans = solve(i);
if(judge())
{
step = 0;
break;
}
if(ans)
step = step > ans?ans:step;
}
if(step != 20)//我step的原值设置的是20
printf("%d\n",step);
else
printf("Impossible");
return 0;
}