题目链接:
PREV-46 填字母游戏
思路:
此题博弈的思想就是每个人寻找自己每一步的最优解,我们用dfs模拟博弈过程;
int dfs()
返回某方此步骤的最优解,遍历所有空格,模拟所有可能然后取里面最优的一个作为函数返回值;在游戏结束之前每个人每个步骤填一个空格然后递归地将剩下的局面交给对方;
为了减少复杂度我们采用
map
容器进行记忆化搜索,保存该局面的最优结果;
代码:
#include<bits/stdc++.h>
using namespace std;
map<string, int> best;
string s;
#define n s.length()
inline bool check(int & p) {
if(p > 1 && s[p - 2] == 'L' && s[p - 1] == 'O') return true;
if(p < n - 2 && s[p + 1] == 'O' && s[p + 2] == 'L') return true;
if(p > 0 && p + 1 < n && s[p - 1] == 'L' && s[p + 1] == 'L') return true;
return false;
}
inline int dfs() {
if(best[s]) return best[s] == 2 ? 0 : best[s];
int ans = -1;
bool flag = false;
for(int i = 0; i < n; ++i)
if(s[i] == '*') {
flag = true;
if(check(i)) return best[s] = 1;
s[i] = 'L';
ans = max(ans, -dfs());
if(ans == 1) { s[i] = '*'; return best[s] = 1; }
s[i] = 'O';
ans = max(ans, -dfs());
if(ans == 1) { s[i] = '*'; return best[s] = 1; }
s[i] = '*';
}
if(flag == false || ans == 0) { best[s] = 2; return 0; }
return best[s] = ans;
}
int main() {
#ifdef MyTest
freopen("Sakura.txt", "r", stdin);
#endif
ios::sync_with_stdio(false);
cin.tie(0);
int kase;
cin >> kase;
while(kase--) {
cin >> s;
cout << dfs() << '\n';
}
return 0;
}
版权声明:本文为qq_45228537原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。