A Chess Game(POJ-2425)
题面
Let’s design a new chess game. There are N positions to hold M chesses in this game. Multiple chesses can be located in the same position. The positions are constituted as a topological graph, i.e. there are directed edges connecting some positions, and no cycle exists. Two players you and I move chesses alternately. In each turn the player should move only one chess from the current position to one of its out-positions along an edge. The game does not end, until one of the players cannot move chess any more. If you cannot move any chess in your turn, you lose. Otherwise, if the misfortune falls on me… I will disturb the chesses and play it again.
Do you want to challenge me? Just write your program to show your qualification!
输入
Input contains multiple test cases. Each test case starts with a number N (1 <= N <= 1000) in one line. Then the following N lines describe the out-positions of each position. Each line starts with an integer Xi that is the number of out-positions for the position i. Then Xi integers following specify the out-positions. Positions are indexed from 0 to N-1. Then multiple queries follow. Each query occupies only one line. The line starts with a number M (1 <= M <= 10), and then come M integers, which are the initial positions of chesses. A line with number 0 ends the test case.
输出
There is one line for each query, which contains a string “WIN” or “LOSE”. “WIN” means that the player taking the first turn can win the game according to a clever strategy; otherwise “LOSE” should be printed.
样例输入
14
22 1 2
30
41 3
50
61 0
72 0 2
80
9
104
111 1
121 2
130
140
152 0 1
162 1 1
173 0 1 3
180
样例输出
1WIN
2WIN
3WIN
4LOSE
5WIN
提示
Huge input,scanf is recommended.
思路
给定一个 n 个节点的有向无环图,再给出 m 个棋子,每一个棋子位于一个点上且互相不影响(即一个点上可以有多个棋子),每回合可以选择一个棋子按照给出的图把它移向下一个点,即当前点与下一个点间有一条有向边,由当前点指向下一个点,无法进行操作则判输,问先手是否必胜。
一个棋子不能再移动当且仅当这个点的出度为0,因为每个棋子互不影响,所以分别求出每个棋子的SG函数,求一下异或和就好了。
代码
1using namespace std;
2const int mxn = 1e3 + 5;
3
4vector<int> E[mxn];
5int SG[mxn];
6
7int getSg(int x){
8 if(SG[x]!=-1) return SG[x];
9 bool S[mxn] = {0};
10
11 for(int i=0; i<E[x].size(); i++){
12 S[getSg(E[x][i])] = 1;
13 }
14
15 int mex = 0;
16 while(S[mex]) mex++;
17 return SG[x]=mex;
18}
19
20int main(){
21 int n;
22 while(~scanf("%d", &n) && n)
23 {
24 memset(SG, -1, sizeof(SG));
25 for(int i=0; i<n; i++){
26 E[i].clear();
27 int m; scanf("%d", &m);
28 while(m--){
29 int x; scanf("%d", &x);
30 E[i].push_back(x);
31 }
32 }
33 int q;
34 while(~scanf("%d", &q) && q){
35 int nim = 0;
36 while(q--){
37 int x; scanf("%d", &x);
38 nim ^= getSg(x);
39 }
40 if(nim){
41 printf("WIN\n");
42 }else{
43 printf("LOSE\n");
44 }
45 }
46 }
47}