溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊(cè)×
其他方式登錄
點(diǎn)擊 登錄注冊(cè) 即表示同意《億速云用戶服務(wù)條款》

如何使用Python實(shí)現(xiàn)井字棋游戲

發(fā)布時(shí)間:2021-03-23 11:15:21 來源:億速云 閱讀:599 作者:小新 欄目:開發(fā)技術(shù)

這篇文章給大家分享的是有關(guān)如何使用Python實(shí)現(xiàn)井字棋游戲的內(nèi)容。小編覺得挺實(shí)用的,因此分享給大家做個(gè)參考,一起跟隨小編過來看看吧。

說明

用python實(shí)現(xiàn)了井字棋,整個(gè)框架是本人自己構(gòu)思的,自認(rèn)為比較滿意。另外,90%+的代碼也是本人逐字逐句敲的。

minimax算法還沒完全理解,所以參考了這里的代碼,并作了修改。

特點(diǎn)

可以選擇人人、人機(jī)、機(jī)人、機(jī)機(jī)四種對(duì)戰(zhàn)模式之一
電腦玩家的AI使用了minimax算法,帶apha-beta剪枝
電腦玩家在思考時(shí),時(shí)時(shí)刻刻都有一個(gè)“假想敵”。以便使得minimax算法運(yùn)轉(zhuǎn)起來

代碼

#作者:hhh6460
#時(shí)間:2017年6月26日
# 棋盤
class Board(object):
 def __init__(self):
  #self._board = '-'*9 # 坑??!
  self._board = ['-' for _ in range(9)]
  self._history = [] # 棋譜
 # 按指定動(dòng)作,放入棋子
 def _move(self, action, take):
  if self._board[action] == '-':
   self._board[action] = take
   self._history.append((action, take)) # 加入棋譜
 # 撤銷動(dòng)作,拿走棋子
 def _unmove(self, action):
  self._board[action] = '-'
  self._history.pop()
 # 棋盤快照
 def get_board_snapshot(self):
  return self._board[:]
 # 取棋盤上的合法走法
 def get_legal_actions(self):
  actions = []
  for i in range(9):
   if self._board[i] == '-':
    actions.append(i)
  return actions
 # 判斷走法是否合法
 def is_legal_action(self, action):
  return self._board[action] == '-'
 # 終止檢測(cè)
 def teminate(self):
  board = self._board
  lines = [board[0:3], board[3:6], board[6:9], board[0::3], board[1::3], board[2::3], board[0::4], board[2:7:2]]
  if ['X']*3 in lines or ['O']*3 in lines or '-' not in board:
   return True
  else:
   return False
 # 勝負(fù)檢查
 def get_winner(self):
  board = self._board
  lines = [board[0:3], board[3:6], board[6:9], board[0::3], board[1::3], board[2::3], board[0::4], board[2:7:2]]
  if ['X']*3 in lines:
   return 0
  elif ['O']*3 in lines:
   return 1
  else:
   return 2
 # 打印棋盤
 def print_b(self):
  board = self._board
  for i in range(len(board)):
   print(board[i], end='')
   if (i+1)%3 == 0:
    print()
 # 打印棋譜
 def print_history(self):
  print(self._history)
# 玩家
class Player(object):
 '''
 玩家只做兩件事:思考、落子
  1. 思考 --> 得到走法
  2. 落子 --> 執(zhí)行走法,改變棋盤
 '''
 def __init__(self, take='X'): # 默認(rèn)執(zhí)的棋子為 take = 'X'
  self.take=take
 def think(self, board):
  pass
 def move(self, board, action):
  board._move(action, self.take)
# 人類玩家
class HumanPlayer(Player):
 def __init__(self, take):
  super().__init__(take)
 def think(self, board):
  while True:
   action = input('Please input a num in 0-8:')
   if len(action)==1 and action in '012345678' and board.is_legal_action(int(action)):
    return int(action)
# 電腦玩家
class AIPlayer(Player):
 def __init__(self, take):
  super().__init__(take)
 def think(self, board):
  print('AI is thinking ...')
  take = ['X','O'][self.take=='X']
  player = AIPlayer(take)  # 假想敵?。?!
  _, action = self.minimax(board, player)
  #print('OK')
  return action
 # 極大極小法搜索,α-β剪枝
 def minimax(self, board, player, depth=0) :
  '''參考:https://stackoverflow.com/questions/44089757/minimax-algorithm-for-tic-tac-toe-python'''
  if self.take == "O":
   bestVal = -10
  else:
   bestVal = 10
  if board.teminate() :
   if board.get_winner() == 0 :
    return -10 + depth, None
   elif board.get_winner() == 1 :
    return 10 - depth, None
   elif board.get_winner() == 2 :
    return 0, None
  for action in board.get_legal_actions() : # 遍歷合法走法
   board._move(action, self.take)
   val, _ = player.minimax(board, self, depth+1) # 切換到 假想敵?。。?
   board._unmove(action) # 撤銷走法,回溯
   if self.take == "O" :
    if val > bestVal:
     bestVal, bestAction = val, action
   else :
    if val < bestVal:
     bestVal, bestAction = val, action
  return bestVal, bestAction
# 游戲
class Game(object):
 def __init__(self):
  self.board = Board()
  self.current_player = None
 # 生成玩家
 def mk_player(self, p, take='X'): # p in [0,1]
  if p==0:
   return HumanPlayer(take)
  else:
   return AIPlayer(take)
 # 切換玩家
 def switch_player(self, player1, player2):
  if self.current_player is None:
   return player1
  else:
   return [player1, player2][self.current_player == player1]
 # 打印贏家
 def print_winner(self, winner): # winner in [0,1,2]
  print(['Winner is player1','Winner is player2','Draw'][winner])
 # 運(yùn)行游戲
 def run(self):
  ps = input("Please select two player's type:\n\t0.Human\n\t1.AI\nSuch as:0 0\n")
  p1, p2 = [int(p) for p in ps.split(' ')]
  player1, player2 = self.mk_player(p1, 'X'), self.mk_player(p2, 'O') # 先手執(zhí)X,后手執(zhí)O
  print('\nGame start!\n')
  self.board.print_b() # 顯示棋盤
  while True:
   self.current_player = self.switch_player(player1, player2) # 切換當(dāng)前玩家
   action = self.current_player.think(self.board) # 當(dāng)前玩家對(duì)棋盤進(jìn)行思考后,得到招法
   self.current_player.move(self.board, action) # 當(dāng)前玩家執(zhí)行招法,改變棋盤
   self.board.print_b() # 顯示當(dāng)前棋盤
   if self.board.teminate(): # 根據(jù)當(dāng)前棋盤,判斷棋局是否終止
    winner = self.board.get_winner() # 得到贏家 0,1,2
    break
  self.print_winner(winner)
  print('Game over!')
  self.board.print_history()
if __name__ == '__main__':
 Game().run()

下圖是人人對(duì)戰(zhàn)的結(jié)果

如何使用Python實(shí)現(xiàn)井字棋游戲

感謝各位的閱讀!關(guān)于“如何使用Python實(shí)現(xiàn)井字棋游戲”這篇文章就分享到這里了,希望以上內(nèi)容可以對(duì)大家有一定的幫助,讓大家可以學(xué)到更多知識(shí),如果覺得文章不錯(cuò),可以把它分享出去讓更多的人看到吧!

向AI問一下細(xì)節(jié)

免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場(chǎng),如果涉及侵權(quán)請(qǐng)聯(lián)系站長(zhǎng)郵箱:is@yisu.com進(jìn)行舉報(bào),并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI