-
Notifications
You must be signed in to change notification settings - Fork 147
/
Copy pathGame.cs
68 lines (62 loc) · 1.6 KB
/
Game.cs
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
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
namespace Checkers;
public class Game
{
private const int PiecesPerColor = 12;
public PieceColor Turn { get; private set; }
public Board Board { get; }
public PieceColor? Winner { get; private set; }
public List<Player> Players { get; }
public Game(int humanPlayerCount)
{
if (humanPlayerCount < 0 || 2 < humanPlayerCount) throw new ArgumentOutOfRangeException(nameof(humanPlayerCount));
Board = new Board();
Players = new()
{
new Player(humanPlayerCount >= 1, Black),
new Player(humanPlayerCount >= 2, White),
};
Turn = Black;
Winner = null;
}
public void PerformMove(Move move)
{
(move.PieceToMove.X, move.PieceToMove.Y) = move.To;
if ((move.PieceToMove.Color is Black && move.To.Y is 7) ||
(move.PieceToMove.Color is White && move.To.Y is 0))
{
move.PieceToMove.Promoted = true;
}
if (move.PieceToCapture is not null)
{
Board.Pieces.Remove(move.PieceToCapture);
}
if (move.PieceToCapture is not null &&
Board.GetPossibleMoves(move.PieceToMove).Any(m => m.PieceToCapture is not null))
{
Board.Aggressor = move.PieceToMove;
}
else
{
Board.Aggressor = null;
Turn = Turn is Black ? White : Black;
}
CheckForWinner();
}
public void CheckForWinner()
{
if (!Board.Pieces.Any(piece => piece.Color is Black))
{
Winner = White;
}
if (!Board.Pieces.Any(piece => piece.Color is White))
{
Winner = Black;
}
if (Winner is null && Board.GetPossibleMoves(Turn).Count is 0)
{
Winner = Turn is Black ? White : Black;
}
}
public int TakenCount(PieceColor colour) =>
PiecesPerColor - Board.Pieces.Count(piece => piece.Color == colour);
}