Advertisement
max2201111

QUITE GOOD!

Mar 30th, 2025
516
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 18.09 KB | Science | 0 0
  1. #!/usr/bin/env python3
  2. import time
  3. from math import inf
  4.  
  5. # Reprezentace stran: 'w' = bílý, 'b' = černý.
  6. # Šachovnice se reprezentuje jako 8x8 pole znaků (řádek 0 odpovídá 8. řadě).
  7.  
  8. ###############################################################################
  9. # Třída Board – reprezentuje šachovnici a umí ji inicializovat z FEN řetězce.
  10. ###############################################################################
  11.  
  12. class Board:
  13.     def __init__(self, fen=None):
  14.         """Inicializace šachovnice; pokud je zadán FEN, nastaví pozici podle něj."""
  15.         self.grid = [[' ' for _ in range(8)] for _ in range(8)]
  16.         self.to_move = 'w'
  17.         self.castling_rights = set()  # např. {'K','Q','k','q'}
  18.         self.en_passant = None       # (row, col) nebo None
  19.         self.halfmove_clock = 0
  20.         self.fullmove_number = 1
  21.         if fen:
  22.             self.set_fen(fen)
  23.    
  24.     def set_fen(self, fen):
  25.         """Nastaví šachovnici podle FEN řetězce."""
  26.         parts = fen.split()
  27.         while len(parts) < 6:
  28.             parts.append('0')
  29.         board_part, turn_part = parts[0], parts[1]
  30.         castling_part = parts[2] if len(parts) > 2 else '-'
  31.         en_passant_part = parts[3] if len(parts) > 3 else '-'
  32.         halfmove = parts[4] if len(parts) > 4 else '0'
  33.         fullmove = parts[5] if len(parts) > 5 else '1'
  34.         self.grid = [['.' for _ in range(8)] for _ in range(8)]
  35.         ranks = board_part.split('/')
  36.         # FEN řady začínají od horní (8.) a jdou dolů
  37.         for rank_idx, rank_str in enumerate(ranks):
  38.             file_idx = 0
  39.             for ch in rank_str:
  40.                 if ch.isdigit():
  41.                     file_idx += int(ch)
  42.                 else:
  43.                     self.grid[rank_idx][file_idx] = ch
  44.                     file_idx += 1
  45.         self.to_move = 'w' if turn_part == 'w' else 'b'
  46.         self.castling_rights = set() if castling_part == '-' else set(castling_part)
  47.         self.en_passant = None
  48.         if en_passant_part != '-' and en_passant_part != '':
  49.             file = ord(en_passant_part[0]) - ord('a')
  50.             rank = int(en_passant_part[1])
  51.             ri = 8 - rank
  52.             fi = file
  53.             if 0 <= ri < 8 and 0 <= fi < 8:
  54.                 self.en_passant = (ri, fi)
  55.         try:
  56.             self.halfmove_clock = int(halfmove)
  57.         except:
  58.             self.halfmove_clock = 0
  59.         try:
  60.             self.fullmove_number = int(fullmove)
  61.         except:
  62.             self.fullmove_number = 1
  63.    
  64.     def copy(self):
  65.         """Vytvoří hlubokou kopii šachovnice."""
  66.         new_board = Board()
  67.         new_board.grid = [row.copy() for row in self.grid]
  68.         new_board.to_move = self.to_move
  69.         new_board.castling_rights = set(self.castling_rights)
  70.         new_board.en_passant = None if self.en_passant is None else (self.en_passant[0], self.en_passant[1])
  71.         new_board.halfmove_clock = self.halfmove_clock
  72.         new_board.fullmove_number = self.fullmove_number
  73.         return new_board
  74.  
  75.     def display(self):
  76.         """Vrátí textovou reprezentaci šachovnice."""
  77.         lines = []
  78.         for ri in range(8):
  79.             line = ""
  80.             for fi in range(8):
  81.                 line += self.grid[ri][fi] + " "
  82.             lines.append(line)
  83.         return "\n".join(lines)
  84.  
  85. ###############################################################################
  86. # Funkce pro detekci šachu, generování tahů a jejich provádění
  87. ###############################################################################
  88.  
  89. def find_king(board, side):
  90.     """Najde pozici krále pro stranu 'w' nebo 'b'."""
  91.     target = 'K' if side=='w' else 'k'
  92.     for r in range(8):
  93.         for c in range(8):
  94.             if board.grid[r][c] == target:
  95.                 return (r, c)
  96.     return None
  97.  
  98. def is_in_check(board, side):
  99.     """Zjistí, zda je král strany side ('w' nebo 'b') v šachu."""
  100.     king_pos = find_king(board, side)
  101.     if not king_pos:
  102.         return False
  103.     kr, kc = king_pos
  104.     enemy_side = 'b' if side=='w' else 'w'
  105.     # Útoky pěšcem
  106.     if side=='w':
  107.         if kr+1 < 8 and kc-1 >= 0 and board.grid[kr+1][kc-1] == 'p': return True
  108.         if kr+1 < 8 and kc+1 < 8 and board.grid[kr+1][kc+1] == 'p': return True
  109.     else:
  110.         if kr-1 >= 0 and kc-1 >= 0 and board.grid[kr-1][kc-1] == 'P': return True
  111.         if kr-1 >= 0 and kc+1 < 8 and board.grid[kr-1][kc+1] == 'P': return True
  112.     # Útoky jezdcem a dalšími s jezdcovým pohybem (N, A, C, E)
  113.     knight_moves = [(2,1),(2,-1),(-2,1),(-2,-1),(1,2),(1,-2),(-1,2),(-1,-2)]
  114.     enemy_knights = ['n','a','c','e'] if enemy_side=='b' else ['N','A','C','E']
  115.     for dr, dc in knight_moves:
  116.         r, c = kr+dr, kc+dc
  117.         if 0<=r<8 and 0<=c<8 and board.grid[r][c] in enemy_knights:
  118.             return True
  119.     # Útoky po řadách a sloupcích (R, Q, E, A)
  120.     enemy_rook_like = ['r','q','e','a'] if enemy_side=='b' else ['R','Q','E','A']
  121.     for dr, dc in [(1,0),(-1,0),(0,1),(0,-1)]:
  122.         r, c = kr+dr, kc+dc
  123.         while 0<=r<8 and 0<=c<8:
  124.             if board.grid[r][c] != '.':
  125.                 if board.grid[r][c] in enemy_rook_like:
  126.                     return True
  127.                 break
  128.             r += dr; c += dc
  129.     # Útoky diagonálně (B, Q, C, A)
  130.     enemy_bishop_like = ['b','q','c','a'] if enemy_side=='b' else ['B','Q','C','A']
  131.     for dr, dc in [(1,1),(1,-1),(-1,1),(-1,-1)]:
  132.         r, c = kr+dr, kc+dc
  133.         while 0<=r<8 and 0<=c<8:
  134.             if board.grid[r][c] != '.':
  135.                 if board.grid[r][c] in enemy_bishop_like:
  136.                     return True
  137.                 break
  138.             r += dr; c += dc
  139.     # Sousední král
  140.     enemy_king = 'k' if enemy_side=='b' else 'K'
  141.     for dr in [-1,0,1]:
  142.         for dc in [-1,0,1]:
  143.             if dr==0 and dc==0: continue
  144.             r, c = kr+dr, kc+dc
  145.             if 0<=r<8 and 0<=c<8 and board.grid[r][c] == enemy_king:
  146.                 return True
  147.     return False
  148.  
  149. def generate_pseudo_moves(board, side):
  150.     """Generuje všechny pseudolegální tahy pro stranu side ('w' nebo 'b')."""
  151.     moves = []
  152.     enemy = 'b' if side=='w' else 'w'
  153.     is_white = (side=='w')
  154.     pawn_dir = -1 if is_white else 1
  155.     start_rank = 6 if is_white else 1
  156.     promote_rank = 0 if is_white else 7
  157.     for r in range(8):
  158.         for c in range(8):
  159.             piece = board.grid[r][c]
  160.             if piece == '.': continue
  161.             if is_white and not piece.isupper(): continue
  162.             if not is_white and not piece.islower(): continue
  163.             pt = piece.upper()
  164.             if pt == 'P':
  165.                 nr = r + pawn_dir
  166.                 if 0<=nr<8 and board.grid[nr][c]=='.':
  167.                     if nr==promote_rank:
  168.                         for promo in ['Q','R','B','N','A','E','C']:
  169.                             moves.append((r, c, nr, c, promo if is_white else promo.lower(), None))
  170.                     else:
  171.                         moves.append((r, c, nr, c, None, None))
  172.                     if r==start_rank and board.grid[r+pawn_dir*2][c]=='.' and board.grid[r+pawn_dir][c]=='.':
  173.                         moves.append((r, c, r+pawn_dir*2, c, None, 'double'))
  174.                 for dc in [-1,1]:
  175.                     nc = c + dc
  176.                     if 0<=nc<8 and 0<=nr<8:
  177.                         if board.grid[nr][nc]!='.' and ((is_white and board.grid[nr][nc].islower()) or (not is_white and board.grid[nr][nc].isupper())):
  178.                             if nr==promote_rank:
  179.                                 for promo in ['Q','R','B','N','A','E','C']:
  180.                                     moves.append((r, c, nr, nc, promo if is_white else promo.lower(), None))
  181.                             else:
  182.                                 moves.append((r, c, nr, nc, None, None))
  183.                         if board.en_passant == (nr, nc):
  184.                             moves.append((r, c, nr, nc, None, 'enpassant'))
  185.             elif pt == 'K':
  186.                 for dr in [-1,0,1]:
  187.                     for dc in [-1,0,1]:
  188.                         if dr==0 and dc==0: continue
  189.                         nr, nc = r+dr, c+dc
  190.                         if 0<=nr<8 and 0<=nc<8:
  191.                             if board.grid[nr][nc]=='.' or ((is_white and board.grid[nr][nc].islower()) or (not is_white and board.grid[nr][nc].isupper())):
  192.                                 moves.append((r, c, nr, nc, None, None))
  193.                 # Rošády (základní verze – detailní bezpečnostní kontroly se provádí při provádění tahu)
  194.                 if is_white and r==7 and c==4:
  195.                     if 'K' in board.castling_rights and board.grid[7][5]=='.' and board.grid[7][6]=='.':
  196.                         moves.append((7,4,7,6,None,'castle'))
  197.                     if 'Q' in board.castling_rights and board.grid[7][3]=='.' and board.grid[7][2]=='.' and board.grid[7][1]=='.':
  198.                         moves.append((7,4,7,2,None,'castle'))
  199.                 if not is_white and r==0 and c==4:
  200.                     if 'k' in board.castling_rights and board.grid[0][5]=='.' and board.grid[0][6]=='.':
  201.                         moves.append((0,4,0,6,None,'castle'))
  202.                     if 'q' in board.castling_rights and board.grid[0][3]=='.' and board.grid[0][2]=='.' and board.grid[0][1]=='.':
  203.                         moves.append((0,4,0,2,None,'castle'))
  204.             else:
  205.                 # Tahy pro figury s jezdcovým pohybem (N, A, C, E)
  206.                 if pt in ['N','A','C','E']:
  207.                     for dr, dc in knight_moves:
  208.                         nr, nc = r+dr, c+dc
  209.                         if 0<=nr<8 and 0<=nc<8:
  210.                             if board.grid[nr][nc]=='.' or ((is_white and board.grid[nr][nc].islower()) or (not is_white and board.grid[nr][nc].isupper())):
  211.                                 moves.append((r, c, nr, nc, None, None))
  212.                 # Klouzavé tahy (pro R, Q, E, A)
  213.                 if pt in ['R','Q','E','A']:
  214.                     for dr, dc in [(1,0),(-1,0),(0,1),(0,-1)]:
  215.                         nr, nc = r+dr, c+dc
  216.                         while 0<=nr<8 and 0<=nc<8:
  217.                             if board.grid[nr][nc]=='.':
  218.                                 moves.append((r, c, nr, nc, None, None))
  219.                             else:
  220.                                 if ((is_white and board.grid[nr][nc].islower()) or (not is_white and board.grid[nr][nc].isupper())):
  221.                                     moves.append((r, c, nr, nc, None, None))
  222.                                 break
  223.                             nr += dr; nc += dc
  224.                 if pt in ['B','Q','C','A']:
  225.                     for dr, dc in [(1,1),(1,-1),(-1,1),(-1,-1)]:
  226.                         nr, nc = r+dr, c+dc
  227.                         while 0<=nr<8 and 0<=nc<8:
  228.                             if board.grid[nr][nc]=='.':
  229.                                 moves.append((r, c, nr, nc, None, None))
  230.                             else:
  231.                                 if ((is_white and board.grid[nr][nc].islower()) or (not is_white and board.grid[nr][nc].isupper())):
  232.                                     moves.append((r, c, nr, nc, None, None))
  233.                                 break
  234.                             nr += dr; nc += dc
  235.     return moves
  236.  
  237. # Zásobník pro tahy (pro možnost undo)
  238. move_stack = []
  239.  
  240. def make_move(move, board):
  241.     """Provede tah na šachovnici a uloží potřebné informace pro undo.
  242.       move: (r1, c1, r2, c2, promo, special)"""
  243.     r1, c1, r2, c2, promo, special = move
  244.     piece = board.grid[r1][c1]
  245.     captured = board.grid[r2][c2] if special != 'enpassant' else ('p' if piece=='P' else 'P')
  246.     prev_state = (set(board.castling_rights), board.en_passant)
  247.     move_stack.append((r1, c1, r2, c2, promo, special, piece, captured, prev_state))
  248.     board.grid[r1][c1] = '.'
  249.     if special == 'castle':
  250.         board.grid[r2][c2] = piece
  251.         if piece == 'K':
  252.             if c2 == 6:
  253.                 board.grid[7][5] = 'R'; board.grid[7][7] = '.'
  254.             else:
  255.                 board.grid[7][3] = 'R'; board.grid[7][0] = '.'
  256.         else:
  257.             if c2 == 6:
  258.                 board.grid[0][5] = 'r'; board.grid[0][7] = '.'
  259.             else:
  260.                 board.grid[0][3] = 'r'; board.grid[0][0] = '.'
  261.     elif special == 'enpassant':
  262.         board.grid[r2][c2] = piece
  263.         if piece == 'P':
  264.             board.grid[r2+1][c2] = '.'
  265.         else:
  266.             board.grid[r2-1][c2] = '.'
  267.     else:
  268.         board.grid[r2][c2] = promo if promo else piece
  269.     if piece == 'K':
  270.         board.castling_rights.discard('K'); board.castling_rights.discard('Q')
  271.     if piece == 'k':
  272.         board.castling_rights.discard('k'); board.castling_rights.discard('q')
  273.     if piece == 'R' and (r1, c1)==(7,7):
  274.         board.castling_rights.discard('K')
  275.     if piece == 'R' and (r1, c1)==(7,0):
  276.         board.castling_rights.discard('Q')
  277.     if piece == 'r' and (r1, c1)==(0,7):
  278.         board.castling_rights.discard('k')
  279.     if piece == 'r' and (r1, c1)==(0,0):
  280.         board.castling_rights.discard('q')
  281.     if special == 'double':
  282.         board.en_passant = (r1 + ( -1 if board.to_move=='w' else 1), c1)
  283.     else:
  284.         board.en_passant = None
  285.     board.to_move = 'b' if board.to_move=='w' else 'w'
  286.  
  287. def undo_move(board):
  288.     """Vrátí poslední provedený tah."""
  289.     r1, c1, r2, c2, promo, special, piece, captured, prev_state = move_stack.pop()
  290.     board.grid[r1][c1] = piece
  291.     board.grid[r2][c2] = captured
  292.     board.castling_rights, board.en_passant = prev_state
  293.     board.to_move = 'b' if board.to_move=='w' else 'w'
  294.  
  295. ###############################################################################
  296. # Negamax s alfa-beta ořezáváním
  297. ###############################################################################
  298.  
  299. def negamax(board, depth, alpha, beta, side):
  300.     """Negamax s alfa-beta ořezáváním. side: 1 pokud hledáme z pohledu bílé, -1 pro černé.
  301.       Vrací (hodnota, tahová sekvence)."""
  302.     moves = generate_pseudo_moves(board, 'w' if side==1 else 'b')
  303.     if not moves:
  304.         return ((-inf if is_in_check(board, 'w' if side==1 else 'b') else 0), [])
  305.     if depth == 0:
  306.         return (0, [])
  307.     best_val = -inf
  308.     best_line = []
  309.     for move in moves:
  310.         make_move(move, board)
  311.         if is_in_check(board, 'w' if side==1 else 'b'):
  312.             undo_move(board)
  313.             continue
  314.         val, line = negamax(board, depth-1, -beta, -alpha, -side)
  315.         val = -val
  316.         undo_move(board)
  317.         if val > best_val:
  318.             best_val = val
  319.             best_line = [move] + line
  320.         alpha = max(alpha, best_val)
  321.         if alpha >= beta:
  322.             break
  323.     return best_val, best_line
  324.  
  325. ###############################################################################
  326. # Iterativní prohlubování – hledáme do maximální hloubky a vypisujeme uplynulý čas
  327. ###############################################################################
  328.  
  329. def iterative_deepening(board, max_depth=50):
  330.     best_line = []
  331.     best_val = 0
  332.     start_time = time.time()
  333.     for depth in range(1, max_depth+1):
  334.         t0 = time.time()
  335.         val, line = negamax(board, depth, -inf, inf, 1 if board.to_move=='w' else -1)
  336.         t1 = time.time()
  337.         elapsed = time.time() - start_time
  338.         hrs = int(elapsed // 3600)
  339.         mins = int((elapsed % 3600) // 60)
  340.         secs = int(elapsed % 60)
  341.         print(f"Hloubka {depth:2d} – uplynulý čas: {hrs:02d}h {mins:02d}m {secs:02d}s")
  342.         best_val = val
  343.         best_line = line
  344.         if val == inf or val == -inf:
  345.             break
  346.     total_elapsed = time.time() - start_time
  347.     return best_val, best_line, total_elapsed
  348.  
  349. ###############################################################################
  350. # Převod tahu do šachové notace
  351. ###############################################################################
  352.  
  353. def move_to_notation(move):
  354.     cols = "abcdefgh"
  355.     r1, c1, r2, c2, promo, special = move
  356.     if special == 'castle':
  357.         return "O-O" if c2 > c1 else "O-O-O"
  358.     s = cols[c1] + str(8 - r1) + cols[c2] + str(8 - r2)
  359.     if promo:
  360.         s += "=" + promo.upper()
  361.     if special == 'enpassant':
  362.         s += " e.p."
  363.     return s
  364.  
  365. ###############################################################################
  366. # Hlavní program – inicializace z FEN a výpis optimální tahové sekvence
  367. ###############################################################################
  368.  
  369. def main():
  370.     # Nastavíme pozici ze zadaného FEN (např.: "8/6A1/8/8/8/k1K5/8/8 w - - 0 1")
  371.     fen = "8/6A1/8/8/8/k1K5/8/8 w - - 0 1"
  372.     board_obj = Board(fen)
  373.     board = board_obj.copy()
  374.    
  375.     print("Počáteční pozice:")
  376.     print(board.display())
  377.     print("\nVyhledávání optimální tahové sekvence – iterativní prohlubování...\n")
  378.    
  379.     best_val, best_line, total_elapsed = iterative_deepening(board, max_depth=50)
  380.     hrs = int(total_elapsed // 3600)
  381.     mins = int((total_elapsed % 3600) // 60)
  382.     secs = int(total_elapsed % 60)
  383.    
  384.     # Postupné provádění tahů a výpis pozic
  385.     variant_board = board.copy()
  386.     moves_notation = []
  387.     print("Postup tahů:")
  388.     print("-"*40)
  389.     print("Start:")
  390.     print(variant_board.display())
  391.     print("-"*40)
  392.     for move in best_line:
  393.         s = move_to_notation(move)
  394.         moves_notation.append(s)
  395.         make_move(move, variant_board)
  396.         print("Tah:", s)
  397.         print(variant_board.display())
  398.         print("-"*40)
  399.    
  400.     if best_val == inf:
  401.         result_text = "Mat – bílý vyhrává"
  402.     elif best_val == -inf:
  403.         result_text = "Mat – černý vyhrává"
  404.     else:
  405.         # Zkontrolujeme, zda tahy vedou k patu
  406.         side_to_move = 'b' if board.to_move=='w' else 'w'
  407.         if not generate_pseudo_moves(variant_board, side_to_move) and not is_in_check(variant_board, side_to_move):
  408.             result_text = "Pat (remíza)"
  409.         else:
  410.             result_text = "Remíza"
  411.     print("Optimální tahová sekvence:", " ".join(moves_notation) if moves_notation else "(žádný tah)")
  412.     print("Výsledek:", result_text)
  413.     print(f"Celkový uplynulý čas: {hrs:02d}h {mins:02d}m {secs:02d}s")
  414.  
  415. if __name__ == '__main__':
  416.     main()
  417.  
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement