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
69
70
71
72
73
74
75
76
77
|
#include <inttypes.h>
#include <assert.h>
#include <ctype.h>
#include <stdbool.h>
#include <stdint.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <time.h>
#include <unistd.h>
#include <fcntl.h>
#define COORD_END 0xf00d
#define ARRAYLEN(x) (sizeof(x)/sizeof((x)[0]))
#define ABS(x) ((x)<0?-(x):(x))
#define MAX(a, b) ((a)>(b)?(a):(b))
/* don't change any of these enum values */
enum player { NONE = 0, WHITE = 1, BLACK = -1 };
enum piece { EMPTY = 0, PAWN, ROOK, KNIGHT, BISHOP, QUEEN, KING };
struct piece_t {
enum piece type;
enum player color;
};
struct coordinates {
int y, x; /* 0-indexed */
};
struct promotion_t {
struct coordinates to, from;
enum piece type;
};
struct move_t {
enum player color;
enum { NORMAL, CASTLE, PROMOTION, NOMOVE } type;
union {
struct { struct coordinates to, from; } normal;
enum { QUEENSIDE = 0, KINGSIDE } castle_style;
struct promotion_t promotion;
} data;
};
#define UNKNOWN -1
struct chess_ctx {
struct piece_t board[8][8]; /* [rank (y)],[file (x)] */
enum player to_move;
bool king_moved[2];
bool rook_moved[2][2]; /* [player][0=first file (queenside),1=eighth file (kingside)] */
bool en_passant[2][8];
};
int eval_position(const struct chess_ctx *ctx, int color);
void execute_move(struct chess_ctx *ctx, struct move_t move);
bool gen_and_call(const struct chess_ctx *ctx,
int y, int x,
int dy, int dx,
bool (*cb)(void *data, const struct chess_ctx*, struct move_t),
void *data, bool enforce);
void for_each_move(const struct chess_ctx *ctx,
int y, int x,
bool (*cb)(void *data, const struct chess_ctx*, struct move_t),
void *data, bool enforce_check, bool consider_castle);
bool king_in_check(const struct chess_ctx *ctx, int color, struct coordinates *king);
void print_ctx(const struct chess_ctx *ctx);
int best_move_negamax(const struct chess_ctx *ctx, int depth,
int a, int b,
int color, struct move_t *best, int full, int stop_time);
bool can_castle(const struct chess_ctx *ctx, int color, int style);
uint64_t perft(const struct chess_ctx *ctx, int depth);
struct chess_ctx ctx_from_fen(const char *fen, int *len);
extern int location_bonuses[6][8][8];
int ms_time(void);
int quiesce(const struct chess_ctx *ctx, int a, int b);
|