-
Notifications
You must be signed in to change notification settings - Fork 0
/
cli.py
451 lines (404 loc) · 17.9 KB
/
cli.py
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
import sys, os
from datetime import datetime
from termcolor import colored
import logicaSemaforo as s
import time
import onlinePlay as o
import json
def clear():
os.system('cls' if os.name == 'nt' else 'clear')
def regras():
clear()
print("O objetivo deste jogo é ser o primeiro a conseguir uma linha de três peças da mesma cor na horizontal, vertical ou diagonal.")
print("O jogo realiza-se num tabuleiro, inicialmente vazio, de 3x4. Em cada jogada, cada jogador realiza uma das seguintes ações:")
print("-> Colocar uma peça verde num quadrado vazio;")
print("-> Substituir uma peça verde por uma peça amarela;")
print("-> Substituir uma peça amarela por uma peça vermelha.")
print("-> Passar a vez.")
print("É importante realçar que as peças vermelhas não podem ser substituídas, o que significa que à medida que o tabuleiro fica com peças vermelhas, é inevitável que surja uma linha de três peças.")
def mainMenu():
clear()
print("SEMÁFORO ----")
print("1: Jogar uma partida")
print("2: Carregar uma partida a partir de um ficheiro")
print("3: Apresentar uma descrição do jogo")
print("4: Sair da aplicação")
escolha = int(input("\nEscolha uma opção: "))
match escolha:
case 1:
clear()
print("NOVO JOGO ----")
print("1: Jogador contra jogador")
print("2: Jogador contra computador")
print("3: Jogar online")
print("4: Voltar ao menu principal")
escolha = int(input("\nEscolha uma opção: "))
match escolha:
case 1: novoJogoPvP()
case 2: novoJogoPvB()
case 3: playOnline()
case 4: mainMenu()
case _:
input("opção inválida, clique em qualquer tecla para voltar ao menu principal")
mainMenu()
case 2: carregarJogo()
case 3: regras()
case 4: sys.exit()
case _:
input("opção inválida, clique em qualquer tecla para voltar ao menu principal")
mainMenu()
with open("config.json", "r") as configFile:
config = json.load(configFile)
ip = config["ip"]
port = config["port"]
def playOnline():
print("A estabelecer ligação ao servidor...")
websocket = o.mkWebSocket(ip, port)
if websocket == False:
print("Não foi possível estabelecer ligação ao servidor.")
else:
escolha = 0
while escolha not in ["1", "2", "3", "4"]:
clear()
print("Conectado ao servidor " + "ws://"+ip+":"+port)
print("JOGAR ONLINE ----")
print("1: Criar um novo jogo")
print("2: Entrar num jogo existente")
print("3: Ver jogos públicos disponíveis")
print("4: Voltar ao menu principal")
escolha = input("\nEscolha uma opção: ")
match escolha:
case "1":
escolha = ""
public = False
while escolha not in [1, 2]:
escolha = int(input("Deseja criar um jogo público ou privado? [1/2]: "))
if escolha == 1:
public = True
name = input("Nome: ")
print("A criar novo jogo...")
response = o.newGame(name, None, public)
if response[0] == "newGameCreated":
print("criado jogo com ID", response[1])
gameID = response[1]
gameData = False
waiting = True
trycount = 10
while waiting and not gameData:
waiting, gameData = o.waitForGame(gameID, name, 0)
if waiting == "gameExists, ONEPLAYER" and trycount == 10:
print(gameID + ": à espera de outro jogador...")
trycount = 0
trycount += 1
if waiting == "Error":
print("ERRO!")
time.sleep(0.5)
if gameData:
gameLoop(gameData, localPlayer=0)
quit()
else:
print("Erro ao criar jogo:", response)
case "2":
gameID = input("ID do jogo: ")
name = input("Nome: ")
print("A tentar entrar no jogo", gameID, "...")
gameData = False
waiting = True
while waiting and not gameData:
waiting, gameData = o.waitForGame(gameID, name, 1, None)
if waiting == "Error":
print("ERRO!")
time.sleep(0.5)
if gameData:
gameLoop(gameData, localPlayer=1)
case "3":
print("A procurar jogos públicos...")
games = o.listGames()
validGameList = []
if games[0] == "openGames":
print("JOGOS DISPONÍVEIS ----")
for g in games[1]:
ggd = g[1]
gID = ggd["onlineGameID"]
gPlayer1 = ggd["playerNames"][0]
print(f"[{gID}] JOGO DE {gPlayer1}")
validGameList.append(gID)
print("--------------------")
escolha = ""
while escolha not in validGameList:
escolha = input("Escolha um jogo pelo seu ID (\"back\" para voltar): ")
if escolha == "back":
break
elif escolha in validGameList:
name = input("Nome: ")
print("A tentar entrar no jogo", escolha, "...")
gameData = False
waiting = True
while waiting and not gameData:
waiting, gameData = o.waitForGame(escolha, name, 1, None)
if waiting == "Error":
print("ERRO!")
time.sleep(0.5)
if gameData:
gameLoop(gameData, localPlayer=1)
quit()
else:
print("Escolha inválida!")
else:
print("Não foram encontrados jogos públicos.")
case "4":
break
def printBoard(gameData):
print(" 1 | 2 | 3 | 4 |")
for i in range(3):
print(i+1, end=" ")
for j in range(4):
printPiece(gameData["board"][i][j])
print(" | ", end="")
print()
def printPiece(piece):
match piece:
case 0: print(colored(" ", "white"), end="")
case 1: print(colored("1", "green"), end="")
case 2: print(colored("2", "yellow"), end="")
case 3: print(colored("3", "red"), end="")
cores = ["light_blue", "light_magenta"]
def novoJogoPvP():
player1 = input("Nome do " + colored("jogador 1", cores[0]) + ": ")
player2 = input("Nome do " + colored("jogador 2", cores[1]) + ": ")
gameData = s.initGameData(player1, player2)
gameLoop(gameData)
def novoJogoPvB():
gameData = s.initGameData("player", "computador", gameType="bot")
gameLoop(gameData)
def carregarJogo():
clear()
print("CARREGAR JOGO ----")
if os.path.exists("autosave.json"):
print("Foi encontrado um jogo guardado automaticamente:")
continuar = ""
valid = False
try:
autosaved = s.loadAutoSave()
print(f"Jogo autosave iniciado em {datetime.utcfromtimestamp(autosaved['startTime']).strftime('%Y-%m-%d %H:%M:%S')}")
print("Jogadores:", autosaved["playerNames"][0], "contra", autosaved["playerNames"][1])
if autosaved["ended"]:
print("Jogo terminado em", datetime.utcfromtimestamp(autosaved["history"][-1][3]).strftime('%Y-%m-%d %H:%M:%S'),
"com vitória de", autosaved["playerNames"][autosaved["turn"]])
else:
print("Jogo em curso, é a vez de", autosaved["playerNames"][autosaved["turn"]])
printBoard(autosaved)
valid = True
except:
print("Erro ao carregar o jogo guardado automaticamente; listanado jogos guardados manualmente.")
continuar = "n"
while valid and (continuar.lower() not in ["s", "n"]) and autosaved["gameType"] != "online":
continuar = input("Deseja continuar este jogo? [s/n]: ")
if continuar.lower() == "s":
gameLoop(autosaved)
return
elif continuar.lower() == "n":
clear()
print("CARREGAR JOGO ----")
else:
print("Escolha inválida!")
games = s.loadGames()
validGamesList = []
for g in games:
if "gameType" not in g:
type = "local"
else:
type = g["gameType"]
print(f"Jogo {type} {games.index(g)} iniciado em", datetime.utcfromtimestamp(g["startTime"]).strftime('%Y-%m-%d %H:%M:%S'))
print("Jogadores:", g["playerNames"][0], "contra", g["playerNames"][1])
if g["ended"]:
print("Jogo terminado em", datetime.utcfromtimestamp(g["history"][-1][3]).strftime('%Y-%m-%d %H:%M:%S'), "com vitória de", g["playerNames"][g["turn"]])
else:
print("Jogo em curso, é a vez de", g["playerNames"][g["turn"]])
printBoard(g)
print("--------------------")
validGamesList.append(games.index(g))
while True:
escolha = None
while (escolha not in validGamesList) and (escolha not in [-1, "back"]):
escolha = input("Escolha um jogo pelo seu número, ou escreva -1 para escolher o mais recente (\"back\" para voltar): ")
if escolha == "back":
mainMenu()
return
try:
escolha = int(escolha)
except:
print("Escolha inválida!")
continue
if games[escolha]["ended"]:
watchReplay = ""
while (watchReplay.lower() not in ["s", "n"]):
watchReplay = input("Este jogo já terminou, ver replay? [s/n]: ")
if watchReplay.lower() == "s":
replayGame(games[escolha])
return
elif watchReplay.lower() == "n":
continue
else:
print("Escolha inválida!")
elif games[escolha]["gameType"] == "online":
print("Este jogo é online, não pode ser retomado.")
return
else:
gameLoop(games[escolha])
return
def numToColor(num):
match num:
case 1: return "verde"
case 2: return "amarela"
case 3: return "vermelha"
case _: return None
def printPlay(gameData, play):
lastPlay = gameData["history"][play]
if lastPlay[1] == "pass":
print(colored(gameData["playerNames"][lastPlay[0]], cores[lastPlay[0]]), "passou a vez.")
return
outString = colored(gameData["playerNames"][lastPlay[0]], cores[lastPlay[0]]) + " jogou em " + lastPlay[1] + ", "
beforeColor = numToColor(lastPlay[2][0])
afterColor = numToColor(lastPlay[2][1])
if beforeColor == None:
outString += "colocando uma peça " + afterColor + "."
else:
outString += "substituindo uma peça " + beforeColor + " por uma peça " + afterColor + "."
print(outString)
def printLastPlay(gameData, timeStamp = False):
if gameData["history"] == []:
if timeStamp:
print(datetime.utcfromtimestamp(gameData["startTime"]).strftime('%Y-%m-%d %H:%M:%S'), end=": ")
print(colored(gameData["playerNames"][gameData["turn"]], cores[gameData["turn"]]), "joga primeiro.")
else:
if timeStamp:
print(datetime.utcfromtimestamp(gameData["history"][0][3]).strftime('%Y-%m-%d %H:%M:%S'), end=": ")
print(colored(gameData["playerNames"][gameData["history"][0][0]], cores[gameData["history"][-1][0]]), "joga primeiro.")
for i in gameData["history"]:
if timeStamp:
print(datetime.utcfromtimestamp(gameData["history"][gameData["history"].index(i)][3]).strftime('%Y-%m-%d %H:%M:%S'), end=": ")
printPlay(gameData, gameData["history"].index(i))
if gameData["ended"] == True:
if timeStamp:
print(datetime.utcfromtimestamp(gameData["history"][-1][3]).strftime('%Y-%m-%d %H:%M:%S'), end=": ")
print(colored(gameData["playerNames"][gameData["history"][-1][0]], cores[gameData["turn"]]), "ganhou!")
inGame = True
def gameLoop(gameData, localPlayer=0):
global inGame
while (not s.checkWin(gameData)) and inGame:
s.autoSave(gameData)
clear()
printLastPlay(gameData)
printBoard(gameData)
if gameData["gameType"] == "bot":
if gameData["turn"] == 1:
print("O computador está a pensar...")
time.sleep(1)
s.botPlay(gameData)
continue
elif gameData["gameType"] == "online":
if gameData["turn"] != localPlayer:
t = 10
rGameData = False
while not rGameData:
if t==10:
print("à espera da jogada adversária...")
t=0
rGameData = o.getPlay(gameData)
t+=1
time.sleep(0.5)
continue
while True:
play = input("Jogador " + colored(gameData["playerNames"][gameData["turn"]], cores[gameData["turn"]]) +
" (linha, coluna / \"pass\" / \"sair\"): ")
if play == "sair":
s.saveGame(gameData)
inGame = False
break
if play == "pass":
s.play(gameData, play)
if gameData["gameType"] == "online":
send = o.sendPlay(localPlayer, play, gameData)
if send == "ok":
print("jogada enviada com sucesso, continuando")
break
else:
print("erro ao enviar jogada")
print(send)
exit()
break
elif len(play) == 2 and play[0] in "123" and play[1] in "1234":
if gameData["board"][int(play[0])-1][int(play[1])-1] == 3:
print("jogada inválida, não pode substituir uma peça vermelha")
elif not s.checkAvailablePieces(gameData, play):
print("jogada inválida, não há peças disponíveis")
else:
s.play(gameData, play)
if gameData["gameType"] == "online":
send = o.sendPlay(localPlayer, play, gameData)
if send == "ok":
print("jogada enviada com sucesso, continuando")
break
else:
print("erro ao enviar jogada")
print(send)
exit()
break
else:
print("jogada inválida")
s.passarVez(gameData)
if inGame:
s.saveGame(gameData)
clear()
printLastPlay(gameData)
printBoard(gameData)
else:
print("Jogo guardado com sucesso.")
quit()
def replayGame(gameData):
clear()
print("Replay do jogo iniciado em", datetime.utcfromtimestamp(gameData["startTime"]).strftime('%Y-%m-%d %H:%M:%S'))
print("Jogadores:", gameData["playerNames"][0], "contra", gameData["playerNames"][1])
print("Board final:")
printBoard(gameData)
print("--------------------")
for play in gameData["history"]:
print(datetime.utcfromtimestamp(play[3]).strftime('%Y-%m-%d %H:%M:%S'), end=": ")
printPlay(gameData, gameData["history"].index(play))
escolha = ""
while escolha.lower() not in ["s", "n"]:
escolha = input("Deseja rever este jogo play-by-play? [s/n]: ")
if escolha.lower() == "s":
playCount = -1
replay = s.initReplayEngine(gameData)
while (playCount < len(gameData["history"]) and not s.checkWin(replay)):
clear()
printLastPlay(replay)
printBoard(replay)
print("--------------------")
print("ESCOLHA 0 PARA PLAY ANTERIOR, ENTER PARA PLAY SEGUINTE, -1 PARA SAIR")
avancar = " "
while avancar not in ["-1", "0", ""]:
avancar = input()
if avancar == "":
playCount += 1
s.play(replay, gameData["history"][playCount][1])
continue
elif avancar == "-1":
return
elif avancar == "0" and playCount > -1:
playCount -= 1
replay = s.reverseLastPlay(replay)
else:
print("Escolha inválida!")
replay["turn"] = (replay["turn"] + 1) % 2 # para voltar ao jogador que ganhou
clear()
printLastPlay(replay)
printBoard(replay)
print(replay["playerNames"][replay["turn"]], "ganhou!")
elif escolha.lower() == "n":
break
else:
print("Escolha inválida!")
mainMenu()