-
Notifications
You must be signed in to change notification settings - Fork 3
/
xadreco.c
5452 lines (5261 loc) · 212 KB
/
xadreco.c
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
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
//-----------------------------------------------------------------------------
//%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
//%% Direitos Autorais segundo normas do codigo-livre: (GNU - GPL)
//%% Universidade Estadual Paulista - UNESP, Universidade Federal de Pernambuco - UFPE
//%% Jogo de xadrez: xadreco
//%% Arquivo xadreco.c
//%% Tecnica: MiniMax
//%% Autor: Ruben Carlo Benante
//%% criacao: 10/06/1999
//%% versao para XBoard/WinBoard: 26/09/04
//%% versao 5.8, de 27/10/10
//%% e-mail do autor: rcb@beco.cc
//%% edicao: 2013-19-11
//%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%
//-----------------------------------------------------------------------------
/***************************************************************************
* xadreco version 5.8. Chess engine compatible *
* with XBoard/WinBoard Protocol (C) *
* Copyright (C) 1994-2018 by Ruben Carlo Benante <rcb@beco.cc> *
* *
* This program is free software; you can redistribute it and/or modify *
* it under the terms of the GNU General Public License as published by *
* the Free Software Foundation; either version 2 of the License, or *
* (at your option) any later version. *
* *
* This program is distributed in the hope that it will be useful, *
* but WITHOUT ANY WARRANTY; without even the implied warranty of *
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
* GNU General Public License for more details. *
* *
* You should have received a copy of the GNU General Public License *
* along with this program; if not, write to the *
* Free Software Foundation, Inc., *
* 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. *
* *
* To contact the author, please write to: *
* Ruben Carlo Benante. *
* email: rcb@beco.cc *
* web page: *
* http://xadreco.beco.cc/ *
***************************************************************************/
/* ---------------------------------------------------------------------- */
/* includes */
#ifdef __linux
#warning Linux detected
#include <sys/select.h>
#include <sys/time.h>
#include <unistd.h>
#else
#warning Not Linux detected (assuming Win32)
#include <conio.h>
#include <windows.h>
#include <winbase.h>
#include <wincon.h>
#include <io.h>
#endif
#ifdef HAVE_CONFIG_H
#include <config.h>
#endif
#include <time.h>
#include <string.h>
#include <stdio.h>
#include <stdlib.h>
#include <getopt.h> /* get options from system argc/argv */
#include <stdarg.h> /* function with multiple arguments */
/* ---------------------------------------------------------------------- */
/* definitions */
#ifdef __linux
#define waits(s) sleep(s)
#else
#define waits(s) Sleep(s*1000)
#endif
#ifdef __arm__
#warning raspberry pi detected
#else
#warning not a raspberry pi, are you?
#endif
//Versao do programa
//program version
#ifndef VERSION /* gcc -DVERSION="0.1" */
#define VERSION "5.84" /**< Version Number (string) */
#endif
#ifndef BUILD
#define BUILD "19940819.190934"
#endif
#define TRUE 1
#define FALSE 0
/* Debug */
#ifndef DEBUG /* gcc -DDEBUG=1 */
#define DEBUG 0 /**< Activate/deactivate debug mode */
#endif
#if DEBUG==0
#define NDEBUG
#endif
#include <assert.h> /* Verify assumptions with assert. Turn off with #define NDEBUG */
/** @brief Debug message if DEBUG on */
#define IFDEBUG(M) if(DEBUG) fprintf(stderr, "# [DEBUG file:%s line:%d]: " M "\n", __FILE__, __LINE__); else {;}
/* Command line defaults */
#ifndef RANDOM
#define RANDOM -1
#endif
/* if CONNECT<3 && CONNECT>=0, defined at compiler time: 0=none, 1=fics, 2=lichess */
#ifndef CONNECT
#define CONNECT 3
#endif
#ifndef NOWAIT
#define NOWAIT 0
#endif
#ifndef XDEBUG
#define XDEBUG 0
#endif
#ifndef XDEBUGFOUT
#define XDEBUGFOUT stderr
#endif
#define TOTAL_MOVIMENTOS 60
//estimativa da duracao do jogo
//estimate of game lenght
#define MARGEM_PREGUICA 400
//margem para usar a estatica preguicosa
//margin to use the lazy evaluation
#define PORCENTO_MOVIMENTOS 0.85
//a porcentagem de movimentos considerados, do total de opcoes
//the percent of the total moves considered
#define FIMTEMPO 106550
//usada para indicar que o tempo acabou, na busca minimax
//used to indicate that the time is over, under minimax search
#define LIMITE 105000
//define o limite para a funcao de avaliacao estatica
//define the min/max limite of the static valuation function
#define XEQUEMATE 100000
//define o valor do xequemate
//defines the value of the checkmate
//#define LINHASBOAS 483 (fix: trocado para valor dinamico / changed to count it dynamically)
//define a qtd de linhas no livro de abertura
//define how much lines there are in the openning book
#define MOVE_EMPATE1 52
//numero do movimento que a maquina pode pedir empate pela primeira vez
//ply that engine can ask first draw
#define MOVE_EMPATE2 88
//numero do movimento que a maquina pode pedir empate pela segunda vez
//ply that engine can ask second draw
#define QUANTO_EMPATE1 -200
// pede empate se tiver menos que 2 PEOES
//ask for draw if he has less then 2 PAWNS
#define QUANTO_EMPATE2 20
//pede empate se lances > MOVE_EMPATE2 e tem menos que 0.2 PEAO
//ask for draw if ply > MOVE_EMPATE2 and he has less then 0.2 PAWN
#define AFOGOU -2
//flagvf de geramov, so para retornar rapido com um lance valido ou NULL
// dados ----------------------
/* ---------------------------------------------------------------------- */
/* typedefs, enums and structures */
typedef struct stabuleiro
{
int tab[8][8];
//contem as pecas, sendo [coluna][linha], ou seja: e4
//the pieces. [column][line], example: e4
int vez;
//contem -1 ou 1 para 'branca' ou 'preta'
//the turn to play: -1 white, 1 black
int peao_pulou;
//contem coluna do peao adversario que andou duas, ou -1 para 'nao pode comer enpassant'
//column pawn jump two squares. -1 used to say " cannot capture 'en passant' "
int roqueb, roquep;
//roque: 0:nao pode mais. 1:pode ambos. 2:mexeu Torre do Rei. Pode O-O-O. 3:mexeu Torre da Dama. Pode O-O.
//castle. 0: none. 1: can do both. 2:moved king's rook. Can do O-O-O. 3:moved queen's rook. Can do O-O.
float empate_50;
//contador: quando chega a 50, empate.
//counter: when equal 50, draw by 50 moves rule.
int situa;
//0:nada,1:Empate!,2:Xeque!,3:Brancas em mate,4:Pretas em mate,5 e 6: Tempo (Brancas e Pretas respec.) 7: * sem resultado
//board situation: 0:nothing, 1:draw!, 2:check!, 3:white mated, 4:black mated, 5 and 6: time fell (white and black respec.) 7: * {Game was unfinished}
int lancex[4];
//lance executado originador deste tabuleiro.
//the move that originate this board. (integer notation)
int especial;
//0:nada. 1:roque pqn. 2:roque grd. 3:comeu en passant.
//promocao: 4=Dama, 5=Cavalo, 6=Torre, 7=Bispo.
//0:nothing. 1:king castle. 2:queen castle. 3:en passant capture.
//promotion: 4=queen, 5=knight, 6=rook, 7=bishop.
int numero;
//numero do movimento (nao lance!): 1-e2e4 2-e7e5 3-g1f3 4-b8c6
//ply number or half-moves
}
tabuleiro;
typedef struct smovimento
{
int lance[4];
//lance em notacao inteira
//move in integer notation
int peao_pulou;
//contem coluna do peao que andou duas neste lance
//column pawn jump two squares. -1 used to say " cannot capture 'en passant' "
int roque;
//roque: 0:mexeu rei. 1:ainda pode. 2:mexeu TR. 3:mexeu TD.
//castle: 0:king moved. 1: can yet. 2:moved king's rook. 3:moved queen's rook.
int flag_50;
//Quando igual a:0=nada,1=Moveu peao,2=Comeu,3=Peao Comeu. Entao zera empate_50;
//TODO 4=roque eh irreversivel e deveria recontar o empate_50, 5=promocao (incluida em 1?)
//when equal to: 0:nothing, 1:pawn moved, 2:capture, 3:pawn capture. Put zero to empate_50;
int especial;
//0:nada. 1:roque pqn. 2:roque grd. 3:comeu enpassant.
//promocao: 4=Dama, 5=Cavalo, 6=Torre, 7=Bispo.
//0:nothing. 1:king castle. 2:queen castle. 3:en passant capture.
//promotion: 4=queen, 5=knight, 6=rook, 7=bishop.
int valor_estatico;
//dado um tabuleiro, este e o valor estatico deste tabuleiro apos a execucao deste movimento, no contexto da analise minimax
//given a board, this is the static value of the board position after this move, in the context of minimax analyzes
int ordena;
//flag para dizer se ja foi inserido esse elemento na lista ordenada;
//flag that says if this move was already inserted in the new ordered list
struct smovimento *prox;
//ponteiro para o proximo movimento da lista
//pointer to the next move on the list
}
movimento;
typedef struct sresultado
//resultado de uma analise de posicao
//result of an analyzed position
{
int valor;
//valor da variante
//variation value
movimento *plance;
//os movimentos da variante
//variation moves
}
resultado;
typedef struct slistab
//usado para armazenar o historico do jogo e comparar posicoes repetidas
//used to store the history of the game and analyze the repeated positions
{
int tab[8][8];
//[coluna][linha], exemplo, lance: [e][2] para [e][4]
//the pieces. [column][line], example: e4
int vez;
//de quem e a vez
//the turn to play: -1 white, 1 black
int peao_pulou;
//contem coluna do peao adversario que andou duas, ou -1 para nenhuma
//column pawn jump two squares. -1 used to say "cannot capture 'en passant'"
int roqueb, roquep;
//1:pode para os 2 lados. 0:nao pode mais. 3:mexeu TD. 2:mexeu TR.
//castle. 1: can do both. 0: none. 3:moved queen rook. 2:moved king rook.
float empate_50;
//contador:quando chega a 50, empate.
//counter: when equal 50, draw by 50 moves rule.
int situa;
//0:nada,1:Empate!,2:Xeque!,3:Brancas em mate,4:Pretas em mate,5 e 6: Tempo (Brancas e Pretas respec.) 7: sem resultado
//board situation: 0:nothing, 1:draw!, 2:check!, 3:white mated, 4:black mated, 5 and 6: time fell (white and black respec.) 7: * {Game was unfinished}
int lancex[4];
//lance executado originador deste tabuleiro.
//the move that originate this board. (integer notation)
int especial;
//0:nada. 1:roque pqn. 2:roque grd. 3:comeu enpassant.
//promocao: 4=Dama, 5=Cavalo, 6=Torre, 7=Bispo.
//0:nothing. 1:king castle. 2:queen castle. 3:en passant capture.
//promotion: 4=queen, 5=knight, 6=rook, 7=bishop.
int numero;
//numero do movimento: 1-e2e4 2-e7e5 3-g1f3 4-b8c6
//move number (not ply)
int rep;
//quantidade de vezes que essa posicao ja repetiu comparada
//how many times this position repeated
struct slistab *prox;
//ponteiro para o proximo da lista
//pointer to next on list
struct slistab *ant;
//ponteiro para o anterior da lista
//pointer to before on list
}
listab;
enum piece_values
{
REI = 10000, DAMA = 900, TORRE = 500, BISPO = 325, CAVALO = 300, PEAO = 100, VAZIA = 0, NULA = -1
};
//valor das pecas (positivo==pretas)
//pieces value (positive==black)
/* ---------------------------------------------------------------------- */
/* globals */
int myrating, opprating;
//my rating and opponent rating
//meu rating e rating do oponente
resultado result;
//a melhor variante achada
//the best variation found
listab *plcabeca;
//cabeca da lista encadeada de posicoes repetidas
//pointer to the first position on list
listab *plfinal;
//fim da lista encadeada
//pointer to the last position on list
movimento *succ_geral;
//ponteiro para a primeira lista de movimentos de uma sequencia de niveis a ser analisadas;
//pointer to the first list move that should be analyzed
FILE *fmini; //log file for debug==2
int USALIVRO;
//1:consulta o livro de aberturas livro.txt. 0:nao consulta
//1:use opening book. 0:do not use.
int LINHASBOAS = 0;
// numero de linhas a tentar. Abaixo de "#LINHASRUINS: ..." nao tentar
// number of lines to try. Do not count bellow "#LINHASRUINS: ..."
int ofereci;
//o computador pode oferecer empate (duas|uma) vezes.
//the engine can offer draw twice: one as he got a bad position, other in the end of game
char disc;
//sem uso. variavel de descarte, para nao sujar o stdin, dic=pega()
//not used. discard value from pega(), just to do not waring and trash stdin
int mostrapensando = 0;
//mostra as linhas que o computador esta escolhendo
//show thinking option
char primeiro = 'h', segundo = 'c';
//primeiro e segundo jogadores: h:humano, c:computador
//first and second players: h:human, c:computer
int analise = 0;
//0 nao analise. 1 para analise. ("exit" coloca ela como 0 novamente)
//0 do not analyze. 1 analyze game. ("exit" put it 0 again)
int randomchess = 0;
// 0: pensa para jogar. 1: joga ao acaso.
// 0: think to play. 1: play at random.
int setboard = 0;
//-1 para primeira vez. 0 nao edita. 1 edita. Posicao FEN.
//-1 first time. 0 do not edit. 1 edit game. FEN Position.
char ultimo_resultado[80] = "";
//armazena o ultimo resultado, ex: 1-0 {White mates}
//stores the last result
char pausa;
//pause entre lances (computador x computador)
//pause between moves (computer x computer)
int nivel = 3;
//nivel de profundidade (agora com aprofundamento iterativo, esta sem uso)
//deep level (now with iterative search deep it is useless)
int profflag = 1;
//Flag de captura ou xeque para liberar mais um nivel em profsuf
//when capturing or checking, let the search go one more level
int totalnodo = 0;
//total de nodos analisados para fazer um lance
//total of nodes analyzed before one move
int totalnodonivel = 0;
//total de nodos analisados em um nivel da arvore
//total of nodes analyzed per level of tree
time_t tinijogo, tinimov, tatual, tultimoinput;
double tbrancasac, tpretasac; //tempo brancas/pretas acumulado
double tdifs; // diferenca em segundos tdifs=difftime(t2,t1)
//calcular o tempo gasto no minimax e outras
//calculating time in minimax function and others
double tempomovclock; //em segundos
double tempomovclockmax; // max allowed
//3000 miliseg = 3 seg por lance = 300 seg por 100 lances = 5 min por jogo (de 100 lances)
//time per move. Examplo: 3000milisec = 3 sec per move = 300 sec per 100 moves = 5 min per game (of 100 moves)
const int brancas = -1;
//pecas brancas sao negativas
//white pieces are negatives
const int pretas = 1;
//pecas pretas sao positivas
//black pieces are positives
unsigned char gira = (unsigned char) 0;
//para mostrar um rostinho sorrindo (sem uso)
//to show a smile face (useless)
char flog[80] = "";
//Nome do arquivo de log
//log file name
int ABANDONA = -2430;
//abandona a partida quando perder algo como DAMA, 2 TORRES, 1 BISPO e 1 PEAO; ou nunca, quando jogando contra outra engine
//the engine will resign when loosing a QUEEN, 2 ROOKS, 1 BISHOP and 1 PAWN or something like that; it never resigns when playing against another engine
int COMPUTER = 0;
//flag que diz se esta jogando contra outra engine.
//Flag that says it is playing against other engine
//int teminterroga = 0;
//flag que diz que o comando "?" foi executado
//flag to mark that command "?" run
int WHISPER = 0; /*0:nada, 1:v>200 :)), 2: v>100 :), 3: -100<v<100 :|, 4: v<-100 :(, 5: v<-200 :(( */
enum e_server {none, fics, lichess} server; /* Am I connected to someone, or stand alone? */
char bookfname[80]="livro.txt"; /* book file name */
/* int verb = 0; /1* verbose variable *1/ */
int debug = 0; /* BUG: trocar por DEBUG - usando chave -v */
//coloque zero para evitar gravar arquivo. 0:sem debug, 1:-v debug, 2:-vv debug minimax
//0:do not save file xadreco.log, 1:save file, 2:minimax debug
int pong; /* what to ping back */
int OFERECEREMPATE=0;
/* se decidir oferecer empate, primeiro manda o lance, depois a oferta */
/* ---------------------------------------------------------------------- */
/* general prototypes */
/* prototipos gerais */
void imptab(tabuleiro tabu);
//imprime o tabuleiro
//print board
void mostra_lances(tabuleiro tabu);
//mostra na tela informacoes do jogo e analises
//show on screen game information and analyzes
void lance2movi(char *m, int *l, int especial);
//transforma lances int 0077 em char tipo a1h8
//change integer notation to algebric notation
int movi2lance(int *l, char *m);
//faz o contrario: char b1c3 em int 1022. Retorna falso se nao existe.
//change algebric notation to integer notation. Return FALSE if it is not possible.
inline int adv(int vez);
//retorna o adversario de quem esta na vez
//return the other player to play
inline int sinal(int x);
//retorna 1, -1 ou 0. Sinal de x
//return 1, -1 or 0: signal of x.
int igual(int *lance1, int *lance2);
//compara dois vetores de lance[4]. Se igual, retorna 1
//return 1 if lance1==lance2
char pega(char *no, char *msg);
//pegar caracter (linux e windows)
//to solve getch, getche, getchar and whatever problems of portability
float mudaintervalo(float min1, float max1, float min2, float max2, float x1);
/* retorna x2 pertencente a (min2,max2) equivalente a x1 pertencente a (min1,max1) */
int irand_minmax(int min, int max);
/* retorna valor inteiro aleatorio entre [min,max[ */
//retorna um valor entre [min,max[, intervalo aberto a direita
//return a random value between [min,max[, not included the right side
void sai(int error);
//termina o programa
//exit the program
void inicia(tabuleiro *tabu);
//para inicializar alguns valores no inicio do programa;
//to start some values in the beggining of the program
void coloca_pecas(tabuleiro *tabu);
//coloca as pecas na posicao inicial
//put the pieces in the start position
void testapos(char *pieces, char *color, char *castle, char *enpassant, char *halfmove, char *fullmove);
//testa posicao dada. devera ser melhorado.
//used to test a determined position; should be improved.
void testajogo(char *movinito, int numero);
//retorna um lance do jogo de teste
//returns a move in the test game
void limpa_pensa(void);
//limpa algumas variaveis para iniciar a ponderacao
//to clean some variables to start pondering
void enche_pmovi(movimento **cabeca, movimento **pmovi, int c0, int c1, int c2, int c3, int pp, int rr, int ee, int ff, int *nmovi);
// enche_pmovi (movimento **cabeca, movimento **pmovi, int c0, int c1, int c2, int c3, int peao_pulou, int roque, int especial, int flag50, nummovi)
//pp peao_pulou: contem -1 ou coluna do peao que andou duas neste lance
//rr roque: 0:mexeu rei. 1:ainda pode. 2:mexeu TR. 3:mexeu TD.
//ee especial: 0:nada. 1:roque pqn. 2:roque grd. 3:comeu enpassant. promocao: 4=Dama, 5=Cavalo, 6=Torre, 7=Bispo.
//ff flag_50: 0=nada,1=Moveu peao,2=Comeu,3=Peao Comeu. Zera empate_50;
//preenche a estrutura movimento
//fullfil movimento structure
void msgsai(char *msg, int error);
//emite mensagem antes de sair do programa (por falta de memoria ou outros itens), ou tudo certo
//message before exit program because lack of memory or other problems, or just exiting ok.
void imprime_linha(movimento *loop, int numero, int vez);
//imprime uma sequencia de lances armazenada na lista movimento, numerados.
//print a sequence of moves in movimento list, numbered.
int pollinput(void);
// retorna verdadeiro se existe algum caracter no buffer para ser lido
// return true if there are some character in the buffer to be read
/* char *build(void); NO NEED, use BUILD */
// compiled time - build version
// hora da compilacao - versao de construcao
// difclocks = valores em segundos
double difclocks(void);
//calcula diferenca de tempo em segundo do lance atual
//calculates time difference in seconds for the current move
//return tdifs = difftime(tatual, tinimov);
void inicia_fics(void);
//get tourney, resume, seek games...
char randommove(tabuleiro *tabu);
// joga aleatorio!
void help(void);
/* imprime o help e termina */
/* print some help */
void copyr(void);
/* imprime mensagem de copyright */
/* print version and copyright information */
void printfics(char *fmt, ...);
/* print fics commands */
void printdbg(int dbg, ...);
/* print debug information */
void printf2(char *fmt, ...);
/* print debug information */
void scanf2(char *movinito);
/* le entrada padrao */
// apoio xadrez -----------------------------------------------------
int ataca(int cor, int col, int lin, tabuleiro tabu);
//retorna 1 se "cor" ataca casa(col,lin) no tabuleiro tabu
//return 1 if "color" atack square(col, lin) in board tabu
int qataca(int cor, int col, int lin, tabuleiro tabu, int *menor);
//retorna o numero de ataques da "cor" na casa(col,lin) de tabu, *menor e a menor peca que ataca.
//return the number of atacks of "color" at square(col,lin) in board tabu, *menor is the minor piece that atack
int xeque_rei_das(int cor, tabuleiro tabu);
//retorna 1 se o rei de cor "cor" esta em xeque
//return 1 if "color" king is in check
void volta_lance(tabuleiro *tabu);
//para voltar um movimento. Use duas vezes para voltar um lance inteiro.
//take back one ply. Use twice to take back one move
char analisa(tabuleiro *tabu);
//analisa uma posicao mas nao joga
//analyze a position, but do not play it
movimento *valido(tabuleiro tabu, int *lanc);
//procura nos movimentos de geramov se o lance em questao eh valido. Retorna o *movimento preenchido. Se nao, retorna NULL.
//search on the list generated by geramov if the move lanc is valid. Return *movimento fullfiled. If not, return NULL.
char situacao(tabuleiro tabu);
//retorna char que indica a situacao do tabuleiro, como mate, empate, etc...
//return a char that indicate the situation of the board, as mate, draw, etc...
void ordena_succ(int nmov);
//ordena succ_geral
//sort succ_geral
// livro --------------------------------------------------------------
void usalivro(tabuleiro tabu);
//retorna em result.plance uma variante do livro, baseado na posicao do tabuleiro tabu
//put in result.plance a line found in the book, from the position on the board tabu
void listab2string(char *strlance);
//pega a lista de tabuleiros e cria uma string de movimentos, como "e1e2 e7e5"
//generate a string with all moves, like "e1e2 e7e5"
movimento *string2pmovi(int numero, char *linha);
//retorna uma (lista) linha de jogo como se fosse a resposta do minimax
//return a variation on a list, like the minimax's return.
int igual_strlances_strlinha(char *strlances, char *strlinha);
//retorna verdadeiro se o jogo atual strlances casa com a linha do livro atual strlinha
//return TRUE if the game strlances match with one line strlinha of the opening book
int estatico_pmovi(tabuleiro tabu, movimento *cabeca);
//retorna o valor estatico de um tabuleiro apos jogada a lista de movimentos cabeca
void pega2moves(char *linha2, char *linha);
//dada uma linha, pegue apenas os dois primeiros movimentos (branca e preta)
void pegaNmoves(char *linha2, char *linha, char *strlance);
/* pega total de lances em strlance + 1 */
void conta_linhas_livro(void);
/* conta quantas linhas boas tem o livro; para em #LINHASRUINS */
// computador joga ----------------------------------------------------------
movimento *geramov(tabuleiro tabu, int *nmov);
//retorna lista de lances possiveis, ordenados por xeque e captura. Deveria ser uma ordem melhor aqui.
//return a list of possibles moves, ordered by check and capture. Should put a best order here.
void minimax(tabuleiro atual, int prof, int alfa, int beta, int niv);
//coloca em result a melhor variante e seu valor.
//put in result the better variation and its value
int profsuf(tabuleiro atual, int prof, int alfa, int beta, int niv);
//retorna verdadeiro se (prof>nivel) ou (prof==nivel e nao houve captura ou xeque) ou (houve Empate!)
//return TRUE if (deep>level) or (deep==level and not capture or check) or (it is a draw)
int estatico(tabuleiro tabu, int cod, int niv, int alfa, int beta);
//retorna um valor estatico que avalia uma posicao do tabuleiro, fixa. Cod==1: tempo estourou no meio da busca. Niv: o nivel de distancia do tabuleiro real para a copia examinada
//return the static value of a position. If cod==1, means that this position was here only because the time is over in the middle of the search. Niv: the distance between the real board and the virtual copy examined.
char joga_em(tabuleiro *tabu, movimento movi, int cod);
//joga o movimento movi em tabuleiro tabu. retorna situacao. Insere no listab *plfinal se cod==1
//do the move! Move movi on board tabu. Return the situation. Insert the new board in the listab *plfina list if cod==1
// listas dinamicas ----------------------------------------------------------------
movimento *copimel(movimento pmovi, movimento *plance);
//retorna nova lista contendo o movimento pmovi mais a sequencia de movimentos plance. (para melhor_caminho)
//return a new list adding (new single move pmovi)+(old list moves plance)
void copimov(movimento *dest, movimento *font);
//copia os itens da estrutura movimento, mas nao copia ponteiro prox. dest=font
//copy only the contents of the structure, but not the pointer. dest=font
void copilistmovmel(movimento *dest, movimento *font);
//mantem dest, e copia para dest->prox a lista encadeada font. Assim, a nova lista e (dest+font)
//keep dest, and copy the list font to dest->prox. So, the new list is (dest+font)
movimento *copilistmov(movimento *font);
//copia uma lista encadeada para outra nova. Retorna cabeca da lista destino
//copy one list to another new one. Return the new head.
void insere_listab(tabuleiro tabu);
//Insere o tabuleiro tabu na lista listab. posiciona plcabeca, plfinal. Para casos de empate de repeticao de lances, e para pegar o historico de lances
//insert the board tabu in the list listab *plcabeca, positioning plcabeca and plfinal. Use to see draw, and to get history
void retira_listab(void);
//posiciona plfinal no *ant. ou seja: apaga o ultimo da lista. (usada para voltar de variantes ruins ou para voltar um lance a pedido do jogador)
//delete the last board in the listab. (used to retract from worst variations, or to take back a move asked by player)
void copitab(tabuleiro *dest, tabuleiro *font);
//copia font para dest. dest=font.
//copy font to dest. dest=font
void libera_lances(movimento *cabeca);
//libera da memoria uma lista encadeada de movimentos
//free memory of a list of moves
void retira_tudo_listab(void);
//zera a lista de tabuleiros
//free all listab list.
char humajoga(tabuleiro *tabu);
//humano joga. Aceita comandos XBoard/WinBoard.
//human play. Accept XBoard/WinBoard commands.
char compjoga(tabuleiro *tabu);
//computador joga. Chama o livro de aberturas ou o minimax.
//computer play. Call the opening book or the minimax functions.
/* ---------------------------------------------------------------------- */
/* codigo principal - main code */
int main(int argc, char *argv[])
{
int opt; /* return from getopt() */
tabuleiro tabu;
char feature[256];
char res;
char movinito[80] = "wait_xboard"; /* scanf : entrada de comandos ou lances */
int d2 = 0; /* wait for 2 dones */
// int joga; /* flag enquanto joga */
struct tm *tmatual;
char hora[] = "2013-12-03 00:28:21";
int seed=0;
server = none;
#ifdef __linux
srand(time(NULL)+getpid());
#else
srand(time(NULL));
#endif
IFDEBUG("Starting optarg loop...");
/* getopt() configured options:
* -h help
* -V version
* -v verbose
*/
/* Usage: xadreco [-h|-v] [-c{none,fics,lichess}] [-r] [-x] [-b path/bookfile.txt] */
/* -r seed, --random seed Xadreco plays random moves. Initializes seed. If seed=0, 'true' random */
/* -c, --connection none: no connection; fics: freeches.org; lichess: lichess.org*/
/* -x, --xboard Gives 'xboard' keyword immediattely (protocol is xboard with or withour -x) */
/* -b path/bookfile.txt, --book Sets the path for book file (not implemented) */
opterr = 0;
while((opt = getopt(argc, argv, "vhVr:c:xb:")) != EOF)
switch(opt)
{
case 'h':
help();
break;
case 'V':
copyr();
break;
case 'v':
debug++;
break;
case 'r':
seed = atoi(optarg);
if(seed)
srand(seed);
randomchess = 1;
break;
case 'c': /* kind of connection: none, fics, lichess */
if(!strcmp("fics", optarg))
server = fics;
else if(!strcmp("lichess", optarg))
server = lichess;
else
server = none;
break;
case 'x': /* no wait for first xboard keyword */
strcpy(movinito, "xboard");
d2 = 2; /* don't wait for done */
break;
case 'b': /* book file name */
strcpy(bookfname, optarg);
break;
case '?':
default:
printf("Type\n\t$man %s\nor\n\t$%s -h\nfor help.\n\n", argv[0], argv[0]);
return EXIT_FAILURE;
}
/* RANDOM >= 0, defined YES at compiler time */
/* RANDOM < -1, defined NO at compiler time */
/* Otherwise, RANDOM == -1 defined by command line */
#if RANDOM >= 0
seed = RANDOM;
if(seed)
srand(seed);
randomchess = 1;
#endif
#if RANDOM < -1
randomchess = 0;
#endif
/* if CONNECT<3 && CONNECT>=0, defined at compiler time: 0=none, 1=fics, 2=lichess */
#if CONNECT < 3 && CONNECT >=0
server = CONNECT;
#endif
/* if NOWAIT == 1, defined to NOT wait at compiler time */
#if NOWAIT == 1
strcpy(movinito, "xboard");
d2 = 2; /* don't wait for done */
#endif
/* if XDEBUG<=0, command line -vvv..., otherwise debug=XDEBUG */
#if XDEBUG > 0
debug = XDEBUG;
#endif
printdbg(debug, "# DEBUG MACRO compiled value: %d\n", DEBUG);
printdbg(debug, "# Debug verbose level set at: %d\n", debug);
printdbg(debug, "# play random: %s. seed: -r %d\n", randomchess?"yes":"no", seed);
printdbg(debug, "# connection: -c %s\n", !server?"none":server==1?"fics":"lichess");
printdbg(debug, "# wait: -x %s\n", movinito);
printdbg(debug, "# book: -b %s\n", bookfname);
//turn off buffers. Immediate input/output.
setbuf(stdout, NULL);
setbuf(stdin, NULL);
printdbg(debug, "# Xadreco version %s build %s (C) 1994-2018, by Dr. Beco\n"
"# Xadreco comes with ABSOLUTELY NO WARRANTY;\n"
"# This is free software, and you are welcome to redistribute it\n"
"# under certain conditions; Please, visit http://www.fsf.org/licenses/gpl.html\n"
"# for details.\n\n", VERSION, BUILD);
/* 'xboard': scanf if not there yet */
if(strcmp("xboard", movinito))
scanf2(movinito);
if(strcmp(movinito, "xboard")) // primeiro comando: xboard
{
/* printdbg(debug, "# xboard: %s\n", movinito); */
msgsai("# xadreco : xboard command missing.\n", 36);
}
printf2("\n"); /* output a newline when xboard comes in */
waits(1);
/* Xadreco 5.8 accepts Xboard Protocol V2 */
sprintf(feature, "%s", "feature ping=0 setboard=1 playother=1 san=0 usermove=0 time=1 draw=1 sigint=0 sigterm=1 reuse=0 analyze=1 variants=\"normal\" colors=0 ics=1 name=0 pause=0 nps=0 debug=1 memory=0 smp=0 exclude=0 setscore=0");
/* feature ics=1 */
/* fics 1591 >first : ics freechess.org */
/* none 1591 >first : ics - */
/* 31519 >first : rating 1407 1130 */
/* 31523 <first : # xboard: myrating: 1407 opprating: 1130 */
/* bug accepted ping gives back pong */
printf2("feature done=0\n");
printf2("feature myname=\"Xadreco %s\"\n", VERSION);
printf2("%s\n", feature);
printf2("feature done=1\n");
/* comandos que aparecem no inicio, terminando com done
* ignorar todos exceto: quit e post, ate contar dois 'done'
*/
while(d2 < 2)
{
scanf2(movinito);
if(!strcmp(movinito, "quit"))
msgsai("# Thanks for playing Xadreco.", 0);
//protover N = versao do protocolo
//new = novo jogo, brancas iniciam
//hard, easy = liga/desliga pondering (pensar no tempo do oponente). Ainda nao implementado.
if(!strcmp(movinito, "easy")) //showthinking ou mostrapensando
{
analise = 0;
mostrapensando = 0;
printdbg(debug, "# xboard: easy. Xadreco stop thinking. (1)\n");
}
else
if(!strcmp(movinito, "post")) //showthinking ou mostrapensando
{
analise = 0;
mostrapensando = 1;
printdbg(debug, "# xboard: post. Xadreco will show what its thinking. (1)\n");
}
else
if(!strcmp(movinito, "done"))
d2++;
else
if(!strcmp(movinito, "ping"))
{
scanf2(movinito);
pong = atoi(movinito);
printf2("pong %d\n", pong);
}
else
if(!strcmp(movinito, "force")) /* lichess don't send 'accept', goes by 'force' */
break;
else
if(!strcmp(movinito, "ics")) /* Am I at a server? */
{
scanf2(movinito); /* get server name */
if(!strcmp(movinito, "freechess.org")) /* Is it FICS? */
server=fics; /* FICS */
else
if(!strcmp(movinito, "-")) /* Is it stand-alone? */
server=none; /* no server */
else
server=lichess; /* LICHESS */
printdbg(debug, "# xboard: (main) connected to server: %s (%d)\n",movinito, server);
}
else
printdbg(debug, "# xboard: ignoring %s\n", movinito);
} /* main while starting xboard protocol */
printdbg(debug, "# xboard: main while done\n");
/* joga==0, fim. joga==1, novo lance. (joga==2, nova partida) */
//------------------------------------------------------------------------------
// novo jogo
conta_linhas_livro(); /* atualiza LINHASBOAS; assume que livro nao cresce durante jogo */
inicia(&tabu); // zera variaveis
coloca_pecas(&tabu); //coloca pecas na posicao inicial
insere_listab(tabu);
if(server==fics)
inicia_fics();
//------------------------------------------------------------------------------
//joga_novamente: (play another move)
while(TRUE)
{
tatual = time(NULL);
// printdbg(debug, "# xadreco : Tempo atual %s", ctime(&tatual)); //ctime returns "\n"
tmatual = localtime(&tatual); // convert time_t to struct tm
/* strftime(hora, sizeof(hora), "%F %T", tmatual); */ /* not accepted in that other operating xystem */
strftime(hora, sizeof(hora), "%Y-%m-%d %H:%M:%S", tmatual);
if(tabu.numero == 2) //pretas jogou o primeiro. Relogios iniciam
{
tinijogo = tinimov = tatual;
printdbg(debug, "# xadreco : N.2. Relogio ligado em %s\n", hora); //ctime(&tinijogo));
}
if(tabu.numero > 2)
{
tdifs = difftime(tatual, tinimov);
if(tabu.vez == brancas) //iniciando vez das brancas
{
tpretasac += tdifs; //acumulou lance anterior, das pretas
printdbg(debug, "# xadreco : N.%d. Pretas. Tempo %fs. Acumulado: %fs. Hora: %s\n", tabu.numero, tdifs, tpretasac, hora);
}
else
{
tbrancasac += tdifs;
printdbg(debug, "# xadreco : N.%d. Brancas. Tempo %fs. Acumulado: %fs. Hora: %s\n", tabu.numero, tdifs, tbrancasac, hora);
}
tinimov = tatual; //ancora para proximo tempo acumulado
}
if(tabu.vez == brancas) /* jogam as brancas */
if(primeiro == 'c')
res = compjoga(&tabu);
else
res = humajoga(&tabu);
else /* jogam as pretas */
if(segundo == 'c')
res = compjoga(&tabu);
else
res = humajoga(&tabu);
if(res != 'w' && res != 'c') /* BUG : porque ? */
imptab(tabu);
switch(res)
{
case 'w': //Novo jogo
// novo jogo
inicia(&tabu); // zera variaveis
coloca_pecas(&tabu); //coloca pecas na posicao inicial
insere_listab(tabu);
if(server==fics)
inicia_fics();
break;
// continue;
case '*':
strcpy(ultimo_resultado, "* {Game was unfinished}");
printf2("* {Game was unfinished}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'M':
strcpy(ultimo_resultado, "0-1 {Black mates}");
printf2("0-1 {Black mates}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'm':
strcpy(ultimo_resultado, "1-0 {White mates}");
printf2("1-0 {White mates}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'a':
strcpy(ultimo_resultado, "1/2-1/2 {Stalemate}");
printf2("1/2-1/2 {Stalemate}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'p':
strcpy(ultimo_resultado, "1/2-1/2 {Draw by endless checks}");
printf2("1/2-1/2 {Draw by endless checks}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'c':
strcpy(ultimo_resultado, "1/2-1/2 {Draw by mutual agreement}"); //aceitar empate
printdbg(debug, "# xadreco : offer draw, draw accepted\n");
printf2("offer draw\n");
printf2("1/2-1/2 {Draw by mutual agreement}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'i':
strcpy(ultimo_resultado, "1/2-1/2 {Draw by insufficient mating material}");
printf2("1/2-1/2 {Draw by insufficient mating material}\n");
primeiro = segundo = 'h';
break;
// continue;
case '5':
strcpy(ultimo_resultado, "1/2-1/2 {Draw by fifty moves rule}");
printf2("1/2-1/2 {Draw by fifty moves rule}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'r':
strcpy(ultimo_resultado, "1/2-1/2 {Draw by triple repetition}");
printf2("1/2-1/2 {Draw by triple repetition}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'T':
strcpy(ultimo_resultado, "0-1 {White flag fell}");
printf2("0-1 {White flag fell}\n");
primeiro = segundo = 'h';
break;
// continue;
case 't':
strcpy(ultimo_resultado, "1-0 {Black flag fell}");
printf2("1-0 {Black flag fell}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'B':
strcpy(ultimo_resultado, "0-1 {White resigns}");
printf2("0-1 {White resigns}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'b':
strcpy(ultimo_resultado, "1-0 {Black resigns}");
printf2("1-0 {Black resigns}\n");
primeiro = segundo = 'h';
break;
// continue;
case 'e': //se existe um resultado, envia ele para finalizar a partida
if(ultimo_resultado[0] != '\0')
{
printdbg(debug, "# xadreco : case 'e' (empty) %s\n", ultimo_resultado);
printf2("%s\n", ultimo_resultado);
primeiro = segundo = 'h';
}
else
{
printdbg(debug, "# xadreco (main) : I really don't know what to play... resigning!\n");
printf2("resign\n");
if(primeiro == 'c')
{
res = 'B';
strcpy(ultimo_resultado, "0-1 {White resigns}");
printf2("0-1 {White resigns}\n");
}
else
{
res = 'b';
strcpy(ultimo_resultado, "1-0 {Black resigns}");
printf2("1-0 {Black resigns}\n");
}
primeiro = segundo = 'h';
}
break;
// continue;
case 'x': //xeque: joga novamente
case 'y': //retorna y: simplesmente gira o laco para jogar de novo. Troca de adv.
default: //'-' para tudo certo...
// primeiro = segundo = 'h';
break;
} //fim do switch(res)
} //while (TRUE)
msgsai("# out of main loop...\n", 0); //vai apenas para o log, mas nao para a saida
return EXIT_SUCCESS;
}
void inicia_fics(void)
{
waits(10); /* bug: trocar por espera que nao prende a engine */
printfics("tellicsnoalias tell mamer gettourney blitz\n");
printfics("tellicsnoalias resume\n");
printfics("tellicsnoalias seek 2 1 f m\n");
printfics("tellicsnoalias seek 5 5 f m\n");
printfics("tellicsnoalias seek 10 10 f m\n");
}
// mostra a lista de lances da tela, a melhor variante, e responde ao comando "hint"