Attempt to get rid of 'zombie Websocket' error
[vchess.git] / client / src / views / Game.vue
1 <template lang="pug">
2 main
3 input#modalInfo.modal(type="checkbox")
4 div#infoDiv(
5 role="dialog"
6 data-checkbox="modalInfo"
7 )
8 .card.text-center
9 label.modal-close(for="modalInfo")
10 a(
11 :href="'#/game/' + rematchId"
12 onClick="document.getElementById('modalInfo').checked=false"
13 )
14 | {{ st.tr["Rematch in progress"] }}
15 input#modalChat.modal(
16 type="checkbox"
17 @click="toggleChat()"
18 )
19 div#chatWrap(
20 role="dialog"
21 data-checkbox="modalChat"
22 )
23 .card
24 label.modal-close(for="modalChat")
25 #participants
26 span {{ st.tr["Participant(s):"] }}
27 span(
28 v-for="p in Object.values(people)"
29 v-if="participateInChat(p)"
30 )
31 | {{ p.name }}
32 span.anonymous(v-if="someAnonymousPresent()") + @nonymous
33 Chat(
34 ref="chatcomp"
35 :players="game.players"
36 :pastChats="game.chats"
37 @mychat="processChat"
38 @chatcleared="clearChat"
39 )
40 input#modalConfirm.modal(type="checkbox")
41 div#confirmDiv(role="dialog")
42 .card
43 .diagram(
44 v-if="!!vr && ['all','byrow'].includes(vr.showMoves)"
45 v-html="curDiag"
46 )
47 p.text-center(v-else)
48 span {{ st.tr["Move played:"] + " " }}
49 span.bold {{ moveNotation }}
50 br
51 span {{ st.tr["Are you sure?"] }}
52 .button-group#buttonsConfirm
53 // onClick for acceptBtn: set dynamically
54 button.acceptBtn
55 span {{ st.tr["Validate"] }}
56 button.refuseBtn(@click="cancelMove()")
57 span {{ st.tr["Cancel"] }}
58 .row
59 #aboveBoard.col-sm-12.col-md-9.col-md-offset-3.col-lg-10.col-lg-offset-2
60 span.variant-cadence {{ game.cadence }}
61 span.variant-name {{ game.vname }}
62 span#nextGame(
63 v-if="nextIds.length > 0"
64 @click="showNextGame()"
65 )
66 | {{ st.tr["Next_g"] }}
67 button#chatBtn.tooltip(
68 onClick="window.doClick('modalChat')"
69 aria-label="Chat"
70 )
71 img(src="/images/icons/chat.svg")
72 #actions(v-if="game.score=='*'")
73 button.tooltip(
74 @click="clickDraw()"
75 :class="{['draw-' + drawOffer]: true}"
76 :aria-label="st.tr['Draw']"
77 )
78 img(src="/images/icons/draw.svg")
79 button.tooltip(
80 v-if="!!game.mycolor"
81 @click="abortGame()"
82 :aria-label="st.tr['Abort']"
83 )
84 img(src="/images/icons/abort.svg")
85 button.tooltip(
86 v-if="!!game.mycolor"
87 @click="resign()"
88 :aria-label="st.tr['Resign']"
89 )
90 img(src="/images/icons/resign.svg")
91 button.tooltip(
92 v-else
93 @click="clickRematch()"
94 :class="{['rematch-' + rematchOffer]: true}"
95 :aria-label="st.tr['Rematch']"
96 )
97 img(src="/images/icons/rematch.svg")
98 #playersInfo
99 p
100 span.name(:class="{connected: isConnected(0)}")
101 | {{ game.players[0].name || "@nonymous" }}
102 span.time(
103 v-if="game.score=='*'"
104 :class="{yourturn: !!vr && vr.turn == 'w'}"
105 )
106 span.time-left {{ virtualClocks[0][0] }}
107 span.time-separator(v-if="!!virtualClocks[0][1]") :
108 span.time-right(v-if="!!virtualClocks[0][1]")
109 | {{ virtualClocks[0][1] }}
110 span.split-names -
111 span.name(:class="{connected: isConnected(1)}")
112 | {{ game.players[1].name || "@nonymous" }}
113 span.time(
114 v-if="game.score=='*'"
115 :class="{yourturn: !!vr && vr.turn == 'b'}"
116 )
117 span.time-left {{ virtualClocks[1][0] }}
118 span.time-separator(v-if="!!virtualClocks[1][1]") :
119 span.time-right(v-if="!!virtualClocks[1][1]")
120 | {{ virtualClocks[1][1] }}
121 BaseGame(
122 ref="basegame"
123 :game="game"
124 @newmove="processMove"
125 )
126 </template>
127
128 <script>
129 import BaseGame from "@/components/BaseGame.vue";
130 import Chat from "@/components/Chat.vue";
131 import { store } from "@/store";
132 import { GameStorage } from "@/utils/gameStorage";
133 import { ppt } from "@/utils/datetime";
134 import { ajax } from "@/utils/ajax";
135 import { extractTime } from "@/utils/timeControl";
136 import { getRandString } from "@/utils/alea";
137 import { getScoreMessage } from "@/utils/scoring";
138 import { getFullNotation } from "@/utils/notation";
139 import { getDiagram } from "@/utils/printDiagram";
140 import { processModalClick } from "@/utils/modalClick";
141 import { playMove, getFilteredMove } from "@/utils/playUndo";
142 import { ArrayFun } from "@/utils/array";
143 import params from "@/parameters";
144 export default {
145 name: "my-game",
146 components: {
147 BaseGame,
148 Chat
149 },
150 data: function() {
151 return {
152 st: store.state,
153 // gameRef can point to a corr game, local game or remote live game
154 gameRef: "",
155 nextIds: [],
156 game: {}, //passed to BaseGame
157 // virtualClocks will be initialized from true game.clocks
158 virtualClocks: [],
159 vr: null, //"variant rules" object initialized from FEN
160 drawOffer: "",
161 rematchId: "",
162 rematchOffer: "",
163 lastateAsked: false,
164 people: {}, //players + observers
165 lastate: undefined, //used if opponent send lastate before game is ready
166 repeat: {}, //detect position repetition
167 curDiag: "", //for corr moves confirmation
168 conn: null,
169 roomInitialized: false,
170 // If newmove has wrong index: ask fullgame again:
171 askGameTime: 0,
172 gameIsLoading: false,
173 // If asklastate got no reply, ask again:
174 gotLastate: false,
175 gotMoveIdx: -1, //last move index received
176 // If newmove got no pingback, send again:
177 opponentGotMove: false,
178 connexionString: "",
179 socketCloseListener: 0,
180 // Incomplete info games: show move played
181 moveNotation: "",
182 // Intervals from setInterval():
183 askLastate: null,
184 retrySendmove: null,
185 clockUpdate: null,
186 // Related to (killing of) self multi-connects:
187 newConnect: {},
188 killed: {}
189 };
190 },
191 watch: {
192 $route: function(to, from) {
193 if (to.path.length < 6 || to.path.substr(0, 6) != "/game/")
194 // Page change
195 this.cleanBeforeDestroy();
196 else if (from.params["id"] != to.params["id"]) {
197 // Change everything:
198 this.cleanBeforeDestroy();
199 let boardDiv = document.querySelector(".game");
200 if (!!boardDiv)
201 // In case of incomplete information variant:
202 boardDiv.style.visibility = "hidden";
203 this.atCreation();
204 } else
205 // Same game ID
206 this.nextIds = JSON.parse(this.$route.query["next"] || "[]");
207 }
208 },
209 // NOTE: some redundant code with Hall.vue (mostly related to people array)
210 created: function() {
211 this.atCreation();
212 },
213 mounted: function() {
214 ["chatWrap", "infoDiv"].forEach(eltName => {
215 document.getElementById(eltName)
216 .addEventListener("click", processModalClick);
217 });
218 if ("ontouchstart" in window) {
219 // Disable tooltips on smartphones:
220 document.querySelectorAll("#aboveBoard .tooltip").forEach(elt => {
221 elt.classList.remove("tooltip");
222 });
223 }
224 },
225 beforeDestroy: function() {
226 this.cleanBeforeDestroy();
227 },
228 methods: {
229 cleanBeforeDestroy: function() {
230 clearInterval(this.socketCloseListener);
231 document.removeEventListener('visibilitychange', this.visibilityChange);
232 if (!!this.askLastate) clearInterval(this.askLastate);
233 if (!!this.retrySendmove) clearInterval(this.retrySendmove);
234 if (!!this.clockUpdate) clearInterval(this.clockUpdate);
235 this.conn.removeEventListener("message", this.socketMessageListener);
236 this.send("disconnect");
237 this.conn = null;
238 },
239 visibilityChange: function() {
240 // TODO: Use document.hidden? https://webplatform.news/issues/2019-03-27
241 this.send(
242 document.visibilityState == "visible"
243 ? "getfocus"
244 : "losefocus"
245 );
246 },
247 participateInChat: function(p) {
248 return Object.keys(p.tmpIds).some(x => p.tmpIds[x].focus) && !!p.name;
249 },
250 someAnonymousPresent: function() {
251 return (
252 Object.values(this.people).some(p =>
253 !p.name && Object.keys(p.tmpIds).some(x => p.tmpIds[x].focus)
254 )
255 );
256 },
257 atCreation: function() {
258 document.addEventListener('visibilitychange', this.visibilityChange);
259 // 0] (Re)Set variables
260 this.gameRef = this.$route.params["id"];
261 // next = next corr games IDs to navigate faster (if applicable)
262 this.nextIds = JSON.parse(this.$route.query["next"] || "[]");
263 // Always add myself to players' list
264 const my = this.st.user;
265 const tmpId = getRandString();
266 this.$set(
267 this.people,
268 my.sid,
269 {
270 id: my.id,
271 name: my.name,
272 tmpIds: {
273 tmpId: { focus: true }
274 }
275 }
276 );
277 this.game = {
278 players: [{ name: "" }, { name: "" }],
279 chats: [],
280 rendered: false
281 };
282 let chatComp = this.$refs["chatcomp"];
283 if (!!chatComp) chatComp.chats = [];
284 this.virtualClocks = [[0,0], [0,0]];
285 this.vr = null;
286 this.drawOffer = "";
287 this.lastateAsked = false;
288 this.rematchOffer = "";
289 this.lastate = undefined;
290 this.roomInitialized = false;
291 this.askGameTime = 0;
292 this.gameIsLoading = false;
293 this.gotLastate = false;
294 this.gotMoveIdx = -1;
295 this.opponentGotMove = false;
296 this.askLastate = null;
297 this.retrySendmove = null;
298 this.clockUpdate = null;
299 this.newConnect = {};
300 this.killed = {};
301 // 1] Initialize connection
302 this.connexionString =
303 params.socketUrl +
304 "/?sid=" + this.st.user.sid +
305 "&id=" + this.st.user.id +
306 "&tmpId=" + tmpId +
307 "&page=" +
308 // Discard potential "/?next=[...]" for page indication:
309 encodeURIComponent(this.$route.path.match(/\/game\/[a-zA-Z0-9]+/)[0]);
310 this.conn = new WebSocket(this.connexionString);
311 this.conn.addEventListener("message", this.socketMessageListener);
312 this.socketCloseListener = setInterval(
313 () => {
314 if (this.conn.readyState == 3) {
315 this.conn.removeEventListener("message", this.socketMessageListener);
316 this.conn = new WebSocket(this.connexionString);
317 this.conn.addEventListener("message", this.socketMessageListener);
318 }
319 },
320 1000
321 );
322 // Socket init required before loading remote game:
323 const socketInit = callback => {
324 if (this.conn.readyState == 1)
325 // 1 == OPEN state
326 callback();
327 else
328 // Socket not ready yet (initial loading)
329 // NOTE: first arg is Websocket object, unused here:
330 this.conn.onopen = () => callback();
331 };
332 this.fetchGame((game) => {
333 if (!!game)
334 this.loadVariantThenGame(game, () => socketInit(this.roomInit));
335 else
336 // Live game stored remotely: need socket to retrieve it
337 // NOTE: the callback "roomInit" will be lost, so we don't provide it.
338 // --> It will be given when receiving "fullgame" socket event.
339 socketInit(() => { this.send("askfullgame"); });
340 });
341 },
342 roomInit: function() {
343 if (!this.roomInitialized) {
344 // Notify the room only now that I connected, because
345 // messages might be lost otherwise (if game loading is slow)
346 this.send("connect");
347 this.send("pollclients");
348 // We may ask fullgame several times if some moves are lost,
349 // but room should be init only once:
350 this.roomInitialized = true;
351 }
352 },
353 send: function(code, obj) {
354 if (!!this.conn)
355 this.conn.send(JSON.stringify(Object.assign({ code: code }, obj)));
356 },
357 isConnected: function(index) {
358 const player = this.game.players[index];
359 // Is it me ? In this case no need to bother with focus
360 if (this.st.user.sid == player.sid || this.st.user.id == player.id)
361 // Still have to check for name (because of potential multi-accounts
362 // on same browser, although this should be rare...)
363 return (!this.st.user.name || this.st.user.name == player.name);
364 // Try to find a match in people:
365 return (
366 (
367 !!player.sid &&
368 Object.keys(this.people).some(sid => {
369 return (
370 sid == player.sid &&
371 Object.values(this.people[sid].tmpIds).some(v => v.focus)
372 );
373 })
374 )
375 ||
376 (
377 !!player.id &&
378 Object.values(this.people).some(p => {
379 return (
380 p.id == player.id &&
381 Object.values(p.tmpIds).some(v => v.focus)
382 );
383 })
384 )
385 );
386 },
387 getOppsid: function() {
388 let oppsid = this.game.oppsid;
389 if (!oppsid) {
390 oppsid = Object.keys(this.people).find(
391 sid => this.people[sid].id == this.game.oppid
392 );
393 }
394 // oppsid is useful only if opponent is online:
395 if (!!oppsid && !!this.people[oppsid]) return oppsid;
396 return null;
397 },
398 toggleChat: function() {
399 if (document.getElementById("modalChat").checked)
400 // Entering chat
401 document.getElementById("inputChat").focus();
402 // TODO: next line is only required when exiting chat,
403 // but the event for now isn't well detected.
404 document.getElementById("chatBtn").classList.remove("somethingnew");
405 },
406 processChat: function(chat) {
407 this.send("newchat", { data: chat });
408 // NOTE: anonymous chats in corr games are not stored on server (TODO?)
409 if (this.game.type == "corr" && this.st.user.id > 0)
410 this.updateCorrGame({ chat: chat });
411 },
412 clearChat: function() {
413 // Nothing more to do if game is live (chats not recorded)
414 if (this.game.type == "corr") {
415 if (!!this.game.mycolor) {
416 ajax(
417 "/chats",
418 "DELETE",
419 { data: { gid: this.game.id } }
420 );
421 }
422 this.$set(this.game, "chats", []);
423 }
424 },
425 getGameType: function(game) {
426 return game.cadence.indexOf("d") >= 0 ? "corr" : "live";
427 },
428 // Notify something after a new move (to opponent and me on MyGames page)
429 notifyMyGames: function(thing, data) {
430 this.send(
431 "notify" + thing,
432 {
433 data: data,
434 targets: this.game.players.map(p => {
435 return { sid: p.sid, id: p.id };
436 })
437 }
438 );
439 },
440 showNextGame: function() {
441 // Did I play in current game? If not, add it to nextIds list
442 if (this.game.score == "*" && this.vr.turn == this.game.mycolor)
443 this.nextIds.unshift(this.game.id);
444 const nextGid = this.nextIds.pop();
445 this.$router.push(
446 "/game/" + nextGid + "/?next=" + JSON.stringify(this.nextIds));
447 },
448 askGameAgain: function() {
449 this.gameIsLoading = true;
450 const currentUrl = document.location.href;
451 const doAskGame = () => {
452 if (document.location.href != currentUrl) return; //page change
453 this.fetchGame((game) => {
454 if (!!game)
455 // This is my game: just reload.
456 this.loadGame(game);
457 else
458 // Just ask fullgame again (once!), this is much simpler.
459 // If this fails, the user could just reload page :/
460 this.send("askfullgame");
461 });
462 };
463 // Delay of at least 2s between two game requests
464 const now = Date.now();
465 const delay = Math.max(2000 - (now - this.askGameTime), 0);
466 this.askGameTime = now;
467 setTimeout(doAskGame, delay);
468 },
469 socketMessageListener: function(msg) {
470 if (!this.conn) return;
471 const data = JSON.parse(msg.data);
472 switch (data.code) {
473 case "pollclients":
474 // TODO: shuffling and random filtering on server,
475 // if the room is really crowded.
476 Object.keys(data.sockIds).forEach(sid => {
477 // TODO: test sid != user.sid was already done on server
478 if (sid != this.st.user.sid) {
479 this.people[sid] = { tmpIds: data.sockIds[sid] };
480 this.send("askidentity", { target: sid });
481 }
482 });
483 break;
484 case "connect":
485 if (!this.people[data.from[0]]) {
486 // focus depends on the tmpId (e.g. tab)
487 this.$set(
488 this.people,
489 data.from[0],
490 {
491 tmpIds: {
492 [data.from[1]]: { focus: true }
493 }
494 }
495 );
496 this.newConnect[data.from] = true; //for self multi-connects tests
497 this.send("askidentity", { target: data.from[0] });
498 } else {
499 this.people[data.from[0]].tmpIds[data.from[1]] = { focus: true };
500 this.$forceUpdate(); //TODO: shouldn't be required
501 }
502 break;
503 case "disconnect":
504 if (!this.people[data.from[0]]) return;
505 delete this.people[data.from[0]].tmpIds[data.from[1]];
506 if (Object.keys(this.people[data.from[0]].tmpIds).length == 0)
507 this.$delete(this.people, data.from[0]);
508 else this.$forceUpdate(); //TODO: shouldn't be required
509 break;
510 case "getfocus": {
511 let player = this.people[data.from[0]];
512 if (!!player) {
513 player.tmpIds[data.from[1]].focus = true;
514 this.$forceUpdate(); //TODO: shouldn't be required
515 }
516 break;
517 }
518 case "losefocus": {
519 let player = this.people[data.from[0]];
520 if (!!player) {
521 player.tmpIds[data.from[1]].focus = false;
522 this.$forceUpdate(); //TODO: shouldn't be required
523 }
524 break;
525 }
526 case "killed":
527 // I logged in elsewhere:
528 this.conn.removeEventListener("message", this.socketMessageListener);
529 this.conn.removeEventListener("close", this.socketCloseListener);
530 this.conn = null;
531 alert(this.st.tr["New connexion detected: tab now offline"]);
532 break;
533 case "askidentity": {
534 // Request for identification
535 const me = {
536 // Decompose to avoid revealing email
537 name: this.st.user.name,
538 sid: this.st.user.sid,
539 id: this.st.user.id
540 };
541 this.send("identity", { data: me, target: data.from });
542 break;
543 }
544 case "identity": {
545 const user = data.data;
546 let player = this.people[user.sid];
547 // player.tmpIds is already set
548 player.name = user.name;
549 player.id = user.id;
550 this.$forceUpdate(); //TODO: shouldn't be required
551 // If I multi-connect, kill current connexion if no mark (I'm older)
552 if (this.newConnect[user.sid]) {
553 if (
554 user.id > 0 &&
555 user.id == this.st.user.id &&
556 user.sid != this.st.user.sid &&
557 !this.killed[this.st.user.sid]
558 ) {
559 this.send("killme", { sid: this.st.user.sid });
560 this.killed[this.st.user.sid] = true;
561 }
562 delete this.newConnect[user.sid];
563 }
564 if (!this.killed[this.st.user.sid]) {
565 // Ask potentially missed last state, if opponent and I play
566 if (
567 !this.gotLastate &&
568 !!this.game.mycolor &&
569 this.game.type == "live" &&
570 this.game.score == "*" &&
571 this.game.players.some(p => p.sid == user.sid)
572 ) {
573 this.send("asklastate", { target: user.sid });
574 let counter = 1;
575 this.askLastate = setInterval(
576 () => {
577 // Ask at most 3 times:
578 // if no reply after that there should be a network issue.
579 if (
580 counter < 3 &&
581 !this.gotLastate &&
582 !!this.people[user.sid]
583 ) {
584 this.send("asklastate", { target: user.sid });
585 counter++;
586 } else {
587 clearInterval(this.askLastate);
588 }
589 },
590 1500
591 );
592 }
593 }
594 break;
595 }
596 case "askgame":
597 // Send current (live) game if not asked by any of the players
598 if (
599 this.game.type == "live" &&
600 this.game.players.every(p => p.sid != data.from[0])
601 ) {
602 const myGame = {
603 id: this.game.id,
604 fen: this.game.fen,
605 players: this.game.players,
606 vid: this.game.vid,
607 cadence: this.game.cadence,
608 score: this.game.score
609 };
610 this.send("game", { data: myGame, target: data.from });
611 }
612 break;
613 case "askfullgame":
614 const gameToSend = Object.keys(this.game)
615 .filter(k =>
616 [
617 "id","fen","players","vid","cadence","fenStart","vname",
618 "moves","clocks","score","drawOffer","rematchOffer"
619 ].includes(k))
620 .reduce(
621 (obj, k) => {
622 obj[k] = this.game[k];
623 return obj;
624 },
625 {}
626 );
627 this.send("fullgame", { data: gameToSend, target: data.from });
628 break;
629 case "fullgame":
630 // Callback "roomInit" to poll clients only after game is loaded
631 this.loadVariantThenGame(data.data, this.roomInit);
632 break;
633 case "asklastate":
634 // Sending informative last state if I played a move or score != "*"
635 // If the game or moves aren't loaded yet, delay the sending:
636 // TODO: since socket init after game load, the game is supposedly ready
637 if (!this.game || !this.game.moves) this.lastateAsked = true;
638 else this.sendLastate(data.from);
639 break;
640 case "lastate": {
641 // Got opponent infos about last move
642 this.gotLastate = true;
643 this.lastate = data.data;
644 if (this.game.rendered)
645 // Game is rendered (Board component)
646 this.processLastate();
647 // Else: will be processed when game is ready
648 break;
649 }
650 case "newmove": {
651 const movePlus = data.data;
652 const movesCount = this.game.moves.length;
653 if (movePlus.index > movesCount) {
654 // This can only happen if I'm an observer and missed a move.
655 if (this.gotMoveIdx < movePlus.index)
656 this.gotMoveIdx = movePlus.index;
657 if (!this.gameIsLoading) this.askGameAgain();
658 }
659 else {
660 if (
661 movePlus.index < movesCount ||
662 this.gotMoveIdx >= movePlus.index
663 ) {
664 // Opponent re-send but we already have the move:
665 // (maybe he didn't receive our pingback...)
666 this.send("gotmove", {data: movePlus.index, target: data.from});
667 } else {
668 this.gotMoveIdx = movePlus.index;
669 const receiveMyMove = (movePlus.color == this.game.mycolor);
670 if (!receiveMyMove && !!this.game.mycolor)
671 // Notify opponent that I got the move:
672 this.send("gotmove", {data: movePlus.index, target: data.from});
673 if (movePlus.cancelDrawOffer) {
674 // Opponent refuses draw
675 this.drawOffer = "";
676 // NOTE for corr games: drawOffer reset by player in turn
677 if (
678 this.game.type == "live" &&
679 !!this.game.mycolor &&
680 !receiveMyMove
681 ) {
682 GameStorage.update(this.gameRef, { drawOffer: "" });
683 }
684 }
685 this.$refs["basegame"].play(movePlus.move, "received", null, true);
686 const moveColIdx = ["w", "b"].indexOf(movePlus.color);
687 this.game.clocks[moveColIdx] = movePlus.clock;
688 this.processMove(
689 movePlus.move,
690 { receiveMyMove: receiveMyMove }
691 );
692 }
693 }
694 break;
695 }
696 case "gotmove": {
697 this.opponentGotMove = true;
698 // Now his clock starts running on my side:
699 const oppIdx = ['w','b'].indexOf(this.vr.turn);
700 // NOTE: next line to avoid multi-resetClocks when several tabs
701 // on same game, resulting in a faster countdown.
702 if (!!this.clockUpdate) clearInterval(this.clockUpdate);
703 this.re_setClocks();
704 break;
705 }
706 case "resign":
707 const score = (data.data == "b" ? "1-0" : "0-1");
708 const side = (data.data == "w" ? "White" : "Black");
709 this.gameOver(score, side + " surrender");
710 break;
711 case "abort":
712 this.gameOver("?", "Stop");
713 break;
714 case "draw":
715 this.gameOver("1/2", data.data);
716 break;
717 case "drawoffer":
718 // NOTE: observers don't know who offered draw
719 this.drawOffer = "received";
720 if (this.game.type == "live") {
721 GameStorage.update(
722 this.gameRef,
723 { drawOffer: V.GetOppCol(this.game.mycolor) }
724 );
725 }
726 break;
727 case "rematchoffer":
728 // NOTE: observers don't know who offered rematch
729 this.rematchOffer = data.data ? "received" : "";
730 if (this.game.type == "live") {
731 GameStorage.update(
732 this.gameRef,
733 { rematchOffer: V.GetOppCol(this.game.mycolor) }
734 );
735 }
736 break;
737 case "newgame": {
738 // A game started, redirect if I'm playing in
739 const gameInfo = data.data;
740 const gameType = this.getGameType(gameInfo);
741 if (
742 gameType == "live" &&
743 gameInfo.players.some(p => p.sid == this.st.user.sid)
744 ) {
745 this.addAndGotoLiveGame(gameInfo);
746 } else if (
747 gameType == "corr" &&
748 gameInfo.players.some(p => p.id == this.st.user.id)
749 ) {
750 this.$router.push("/game/" + gameInfo.id);
751 } else {
752 this.rematchId = gameInfo.id;
753 document.getElementById("modalInfo").checked = true;
754 }
755 break;
756 }
757 case "newchat":
758 this.$refs["chatcomp"].newChat(data.data);
759 if (!document.getElementById("modalChat").checked)
760 document.getElementById("chatBtn").classList.add("somethingnew");
761 break;
762 }
763 },
764 updateCorrGame: function(obj, callback) {
765 ajax(
766 "/games",
767 "PUT",
768 {
769 data: {
770 gid: this.gameRef,
771 newObj: obj
772 },
773 success: () => {
774 if (!!callback) callback();
775 }
776 }
777 );
778 },
779 sendLastate: function(target) {
780 // Send our "last state" informations to opponent
781 const L = this.game.moves.length;
782 const myIdx = ["w", "b"].indexOf(this.game.mycolor);
783 const myLastate = {
784 lastMove:
785 (L > 0 && this.vr.turn != this.game.mycolor)
786 ? this.game.moves[L - 1]
787 : undefined,
788 clock: this.game.clocks[myIdx],
789 // Since we played a move (or abort or resign),
790 // only drawOffer=="sent" is possible
791 drawSent: this.drawOffer == "sent",
792 rematchSent: this.rematchOffer == "sent",
793 score: this.game.score != "*" ? this.game.score : undefined,
794 scoreMsg: this.game.score != "*" ? this.game.scoreMsg : undefined,
795 movesCount: L
796 };
797 this.send("lastate", { data: myLastate, target: target });
798 },
799 // lastate was received, but maybe game wasn't ready yet:
800 processLastate: function() {
801 const data = this.lastate;
802 this.lastate = undefined; //security...
803 const L = this.game.moves.length;
804 const oppIdx = 1 - ["w", "b"].indexOf(this.game.mycolor);
805 this.game.clocks[oppIdx] = data.clock;
806 if (data.movesCount > L) {
807 // Just got last move from him
808 this.$refs["basegame"].play(data.lastMove, "received", null, true);
809 this.processMove(data.lastMove);
810 } else {
811 if (!!this.clockUpdate) clearInterval(this.clockUpdate);
812 this.re_setClocks();
813 }
814 if (data.drawSent) this.drawOffer = "received";
815 if (data.rematchSent) this.rematchOffer = "received";
816 if (!!data.score) {
817 this.drawOffer = "";
818 if (this.game.score == "*")
819 this.gameOver(data.score, data.scoreMsg);
820 }
821 },
822 clickDraw: function() {
823 if (!this.game.mycolor) return; //I'm just spectator
824 if (["received", "threerep"].includes(this.drawOffer)) {
825 if (!confirm(this.st.tr["Accept draw?"])) return;
826 const message =
827 this.drawOffer == "received"
828 ? "Mutual agreement"
829 : "Three repetitions";
830 this.send("draw", { data: message });
831 this.gameOver("1/2", message);
832 } else if (this.drawOffer == "") {
833 // No effect if drawOffer == "sent"
834 if (this.game.mycolor != this.vr.turn) {
835 alert(this.st.tr["Draw offer only in your turn"]);
836 return;
837 }
838 if (!confirm(this.st.tr["Offer draw?"])) return;
839 this.drawOffer = "sent";
840 this.send("drawoffer");
841 if (this.game.type == "live") {
842 GameStorage.update(
843 this.gameRef,
844 { drawOffer: this.game.mycolor }
845 );
846 } else this.updateCorrGame({ drawOffer: this.game.mycolor });
847 }
848 },
849 addAndGotoLiveGame: function(gameInfo, callback) {
850 const game = Object.assign(
851 {},
852 gameInfo,
853 {
854 // (other) Game infos: constant
855 fenStart: gameInfo.fen,
856 vname: this.game.vname,
857 created: Date.now(),
858 // Game state (including FEN): will be updated
859 moves: [],
860 clocks: [-1, -1], //-1 = unstarted
861 score: "*"
862 }
863 );
864 GameStorage.add(game, (err) => {
865 // No error expected.
866 if (!err) {
867 if (this.st.settings.sound)
868 new Audio("/sounds/newgame.flac").play().catch(() => {});
869 if (!!callback) callback();
870 this.$router.push("/game/" + gameInfo.id);
871 }
872 });
873 },
874 clickRematch: function() {
875 if (!this.game.mycolor) return; //I'm just spectator
876 if (this.rematchOffer == "received") {
877 // Start a new game!
878 let gameInfo = {
879 id: getRandString(), //ignored if corr
880 fen: V.GenRandInitFen(this.game.randomness),
881 players: this.game.players.reverse(),
882 vid: this.game.vid,
883 cadence: this.game.cadence
884 };
885 const notifyNewGame = () => {
886 const oppsid = this.getOppsid(); //may be null
887 this.send("rnewgame", { data: gameInfo, oppsid: oppsid });
888 // To main Hall if corr game:
889 if (this.game.type == "corr")
890 this.send("newgame", { data: gameInfo, page: "/" });
891 // Also to MyGames page:
892 this.notifyMyGames("newgame", gameInfo);
893 };
894 if (this.game.type == "live")
895 this.addAndGotoLiveGame(gameInfo, notifyNewGame);
896 else {
897 // corr game
898 ajax(
899 "/games",
900 "POST",
901 {
902 // cid is useful to delete the challenge:
903 data: { gameInfo: gameInfo },
904 success: (response) => {
905 gameInfo.id = response.gameId;
906 notifyNewGame();
907 this.$router.push("/game/" + response.gameId);
908 }
909 }
910 );
911 }
912 } else if (this.rematchOffer == "") {
913 this.rematchOffer = "sent";
914 this.send("rematchoffer", { data: true });
915 if (this.game.type == "live") {
916 GameStorage.update(
917 this.gameRef,
918 { rematchOffer: this.game.mycolor }
919 );
920 } else this.updateCorrGame({ rematchOffer: this.game.mycolor });
921 } else if (this.rematchOffer == "sent") {
922 // Toggle rematch offer (on --> off)
923 this.rematchOffer = "";
924 this.send("rematchoffer", { data: false });
925 if (this.game.type == "live") {
926 GameStorage.update(
927 this.gameRef,
928 { rematchOffer: '' }
929 );
930 } else this.updateCorrGame({ rematchOffer: 'n' });
931 }
932 },
933 abortGame: function() {
934 if (!this.game.mycolor || !confirm(this.st.tr["Terminate game?"])) return;
935 this.gameOver("?", "Stop");
936 this.send("abort");
937 },
938 resign: function() {
939 if (!this.game.mycolor || !confirm(this.st.tr["Resign the game?"]))
940 return;
941 this.send("resign", { data: this.game.mycolor });
942 const score = (this.game.mycolor == "w" ? "0-1" : "1-0");
943 const side = (this.game.mycolor == "w" ? "White" : "Black");
944 this.gameOver(score, side + " surrender");
945 },
946 loadGame: function(game, callback) {
947 this.vr = new V(game.fen);
948 const gtype = this.getGameType(game);
949 const tc = extractTime(game.cadence);
950 const myIdx = game.players.findIndex(p => {
951 return p.sid == this.st.user.sid || p.id == this.st.user.id;
952 });
953 const mycolor = [undefined, "w", "b"][myIdx + 1]; //undefined for observers
954 if (!game.chats) game.chats = []; //live games don't have chat history
955 if (gtype == "corr") {
956 // NOTE: clocks in seconds
957 game.moves.sort((m1, m2) => m1.idx - m2.idx); //in case of
958 game.clocks = [tc.mainTime, tc.mainTime];
959 const L = game.moves.length;
960 if (game.score == "*") {
961 // Adjust clocks
962 if (L >= 2) {
963 game.clocks[L % 2] -=
964 (Date.now() - game.moves[L-1].played) / 1000;
965 }
966 }
967 // Sort chat messages from newest to oldest
968 game.chats.sort((c1, c2) => {
969 return c2.added - c1.added;
970 });
971 if (myIdx >= 0 && game.score == "*" && game.chats.length > 0) {
972 // Did a chat message arrive after my last move?
973 let dtLastMove = 0;
974 if (L == 1 && myIdx == 0)
975 dtLastMove = game.moves[0].played;
976 else if (L >= 2) {
977 if (L % 2 == 0) {
978 // It's now white turn
979 dtLastMove = game.moves[L-1-(1-myIdx)].played;
980 } else {
981 // Black turn:
982 dtLastMove = game.moves[L-1-myIdx].played;
983 }
984 }
985 if (dtLastMove < game.chats[0].added)
986 document.getElementById("chatBtn").classList.add("somethingnew");
987 }
988 // Now that we used idx and played, re-format moves as for live games
989 game.moves = game.moves.map(m => m.squares);
990 }
991 if (gtype == "live") {
992 if (game.clocks[0] < 0) {
993 // Game is unstarted. clock is ignored until move 2
994 game.clocks = [tc.mainTime, tc.mainTime];
995 if (myIdx >= 0) {
996 // I play in this live game
997 GameStorage.update(game.id, {
998 clocks: game.clocks
999 });
1000 }
1001 } else {
1002 if (!!game.initime)
1003 // It's my turn: clocks not updated yet
1004 game.clocks[myIdx] -= (Date.now() - game.initime) / 1000;
1005 }
1006 }
1007 // TODO: merge next 2 "if" conditions
1008 if (!!game.drawOffer) {
1009 if (game.drawOffer == "t")
1010 // Three repetitions
1011 this.drawOffer = "threerep";
1012 else {
1013 // Draw offered by any of the players:
1014 if (myIdx < 0) this.drawOffer = "received";
1015 else {
1016 // I play in this game:
1017 if (
1018 (game.drawOffer == "w" && myIdx == 0) ||
1019 (game.drawOffer == "b" && myIdx == 1)
1020 )
1021 this.drawOffer = "sent";
1022 else this.drawOffer = "received";
1023 }
1024 }
1025 }
1026 if (!!game.rematchOffer) {
1027 if (myIdx < 0) this.rematchOffer = "received";
1028 else {
1029 // I play in this game:
1030 if (
1031 (game.rematchOffer == "w" && myIdx == 0) ||
1032 (game.rematchOffer == "b" && myIdx == 1)
1033 )
1034 this.rematchOffer = "sent";
1035 else this.rematchOffer = "received";
1036 }
1037 }
1038 this.repeat = {}; //reset: scan past moves' FEN:
1039 let repIdx = 0;
1040 let vr_tmp = new V(game.fenStart);
1041 let curTurn = "n";
1042 game.moves.forEach(m => {
1043 playMove(m, vr_tmp);
1044 const fenIdx = vr_tmp.getFen().replace(/ /g, "_");
1045 this.repeat[fenIdx] = this.repeat[fenIdx]
1046 ? this.repeat[fenIdx] + 1
1047 : 1;
1048 });
1049 if (this.repeat[repIdx] >= 3) this.drawOffer = "threerep";
1050 this.game = Object.assign(
1051 // NOTE: assign mycolor here, since BaseGame could also be VS computer
1052 {
1053 type: gtype,
1054 increment: tc.increment,
1055 mycolor: mycolor,
1056 // opponent sid not strictly required (or available), but easier
1057 // at least oppsid or oppid is available anyway:
1058 oppsid: myIdx < 0 ? undefined : game.players[1 - myIdx].sid,
1059 oppid: myIdx < 0 ? undefined : game.players[1 - myIdx].id
1060 },
1061 game
1062 );
1063 this.$refs["basegame"].re_setVariables(this.game);
1064 if (!this.gameIsLoading) {
1065 // Initial loading:
1066 this.gotMoveIdx = game.moves.length - 1;
1067 // If we arrive here after 'nextGame' action, the board might be hidden
1068 let boardDiv = document.querySelector(".game");
1069 if (!!boardDiv && boardDiv.style.visibility == "hidden")
1070 boardDiv.style.visibility = "visible";
1071 }
1072 this.re_setClocks();
1073 this.$nextTick(() => {
1074 this.game.rendered = true;
1075 // Did lastate arrive before game was rendered?
1076 if (this.lastate) this.processLastate();
1077 });
1078 if (this.lastateAsked) {
1079 this.lastateAsked = false;
1080 this.sendLastate(game.oppsid);
1081 }
1082 if (this.gameIsLoading) {
1083 this.gameIsLoading = false;
1084 if (this.gotMoveIdx >= game.moves.length)
1085 // Some moves arrived meanwhile...
1086 this.askGameAgain();
1087 }
1088 if (!!callback) callback();
1089 },
1090 loadVariantThenGame: async function(game, callback) {
1091 await import("@/variants/" + game.vname + ".js")
1092 .then((vModule) => {
1093 window.V = vModule[game.vname + "Rules"];
1094 this.loadGame(game, callback);
1095 });
1096 },
1097 // 3 cases for loading a game:
1098 // - from indexedDB (running or completed live game I play)
1099 // - from server (one correspondance game I play[ed] or not)
1100 // - from remote peer (one live game I don't play, finished or not)
1101 fetchGame: function(callback) {
1102 if (Number.isInteger(this.gameRef) || !isNaN(parseInt(this.gameRef))) {
1103 // corr games identifiers are integers
1104 ajax(
1105 "/games",
1106 "GET",
1107 {
1108 data: { gid: this.gameRef },
1109 success: (res) => {
1110 res.game.moves.forEach(m => {
1111 m.squares = JSON.parse(m.squares);
1112 });
1113 callback(res.game);
1114 }
1115 }
1116 );
1117 } else
1118 // Local game (or live remote)
1119 GameStorage.get(this.gameRef, callback);
1120 },
1121 re_setClocks: function() {
1122 this.virtualClocks = this.game.clocks.map(s => ppt(s).split(':'));
1123 if (this.game.moves.length < 2 || this.game.score != "*") {
1124 // 1st move not completed yet, or game over: freeze time
1125 return;
1126 }
1127 const currentTurn = this.vr.turn;
1128 const currentMovesCount = this.game.moves.length;
1129 const colorIdx = ["w", "b"].indexOf(currentTurn);
1130 this.clockUpdate = setInterval(
1131 () => {
1132 if (
1133 this.game.clocks[colorIdx] < 0 ||
1134 this.game.moves.length > currentMovesCount ||
1135 this.game.score != "*"
1136 ) {
1137 clearInterval(this.clockUpdate);
1138 this.clockUpdate = null;
1139 if (this.game.clocks[colorIdx] < 0)
1140 this.gameOver(
1141 currentTurn == "w" ? "0-1" : "1-0",
1142 "Time"
1143 );
1144 } else {
1145 this.$set(
1146 this.virtualClocks,
1147 colorIdx,
1148 ppt(Math.max(0, --this.game.clocks[colorIdx])).split(':')
1149 );
1150 }
1151 },
1152 1000
1153 );
1154 },
1155 // Update variables and storage after a move:
1156 processMove: function(move, data) {
1157 if (!data) data = {};
1158 const moveCol = this.vr.turn;
1159 const colorIdx = ["w", "b"].indexOf(moveCol);
1160 const nextIdx = 1 - colorIdx;
1161 const doProcessMove = () => {
1162 const origMovescount = this.game.moves.length;
1163 // The move is (about to be) played: stop clock
1164 clearInterval(this.clockUpdate);
1165 this.clockUpdate = null;
1166 if (moveCol == this.game.mycolor && !data.receiveMyMove) {
1167 if (this.drawOffer == "received")
1168 // I refuse draw
1169 this.drawOffer = "";
1170 if (this.game.type == "live" && origMovescount >= 2) {
1171 this.game.clocks[colorIdx] += this.game.increment;
1172 // For a correct display in casqe of disconnected opponent:
1173 this.$set(
1174 this.virtualClocks,
1175 colorIdx,
1176 ppt(this.game.clocks[colorIdx]).split(':')
1177 );
1178 GameStorage.update(this.gameRef, {
1179 // It's not my turn anymore:
1180 initime: null
1181 });
1182 }
1183 }
1184 // Update current game object:
1185 playMove(move, this.vr);
1186 if (!data.score)
1187 // Received move, score is computed in BaseGame, but maybe not yet.
1188 // ==> Compute it here, although this is redundant (TODO)
1189 data.score = this.vr.getCurrentScore();
1190 if (data.score != "*") this.gameOver(data.score);
1191 this.game.moves.push(move);
1192 this.game.fen = this.vr.getFen();
1193 if (this.game.type == "corr") {
1194 // In corr games, just reset clock to mainTime:
1195 this.game.clocks[colorIdx] = extractTime(this.game.cadence).mainTime;
1196 }
1197 // If repetition detected, consider that a draw offer was received:
1198 const fenObj = this.vr.getFenForRepeat();
1199 this.repeat[fenObj] =
1200 !!this.repeat[fenObj]
1201 ? this.repeat[fenObj] + 1
1202 : 1;
1203 if (this.repeat[fenObj] >= 3) this.drawOffer = "threerep";
1204 else if (this.drawOffer == "threerep") this.drawOffer = "";
1205 if (!!this.game.mycolor && !data.receiveMyMove) {
1206 // NOTE: 'var' to see that variable outside this block
1207 var filtered_move = getFilteredMove(move);
1208 }
1209 if (moveCol == this.game.mycolor && !data.receiveMyMove) {
1210 // Notify turn on MyGames page:
1211 this.notifyMyGames(
1212 "turn",
1213 {
1214 gid: this.gameRef,
1215 turn: this.vr.turn
1216 }
1217 );
1218 }
1219 // Since corr games are stored at only one location, update should be
1220 // done only by one player for each move:
1221 if (
1222 this.game.type == "live" &&
1223 !!this.game.mycolor &&
1224 moveCol != this.game.mycolor &&
1225 this.game.moves.length >= 2
1226 ) {
1227 // Receive a move: update initime
1228 this.game.initime = Date.now();
1229 GameStorage.update(this.gameRef, {
1230 // It's my turn now!
1231 initime: this.game.initime
1232 });
1233 }
1234 if (
1235 !!this.game.mycolor &&
1236 !data.receiveMyMove &&
1237 (this.game.type == "live" || moveCol == this.game.mycolor)
1238 ) {
1239 let drawCode = "";
1240 switch (this.drawOffer) {
1241 case "threerep":
1242 drawCode = "t";
1243 break;
1244 case "sent":
1245 drawCode = this.game.mycolor;
1246 break;
1247 case "received":
1248 drawCode = V.GetOppCol(this.game.mycolor);
1249 break;
1250 }
1251 if (this.game.type == "corr") {
1252 // corr: only move, fen and score
1253 this.updateCorrGame({
1254 fen: this.game.fen,
1255 move: {
1256 squares: filtered_move,
1257 idx: origMovescount
1258 },
1259 // Code "n" for "None" to force reset (otherwise it's ignored)
1260 drawOffer: drawCode || "n"
1261 });
1262 }
1263 else {
1264 const updateStorage = () => {
1265 GameStorage.update(this.gameRef, {
1266 fen: this.game.fen,
1267 move: filtered_move,
1268 moveIdx: origMovescount,
1269 clocks: this.game.clocks,
1270 drawOffer: drawCode
1271 });
1272 };
1273 // The active tab can update storage immediately
1274 if (!document.hidden) updateStorage();
1275 // Small random delay otherwise
1276 else setTimeout(updateStorage, 500 + 1000 * Math.random());
1277 }
1278 }
1279 // Send move ("newmove" event) to people in the room (if our turn)
1280 if (moveCol == this.game.mycolor && !data.receiveMyMove) {
1281 let sendMove = {
1282 move: filtered_move,
1283 index: origMovescount,
1284 // color is required to check if this is my move (if several tabs opened)
1285 color: moveCol,
1286 cancelDrawOffer: this.drawOffer == ""
1287 };
1288 if (this.game.type == "live")
1289 sendMove["clock"] = this.game.clocks[colorIdx];
1290 // (Live) Clocks will re-start when the opponent pingback arrive
1291 this.opponentGotMove = false;
1292 this.send("newmove", {data: sendMove});
1293 // If the opponent doesn't reply gotmove soon enough, re-send move:
1294 // Do this at most 2 times, because mpore would mean network issues,
1295 // opponent would then be expected to disconnect/reconnect.
1296 let counter = 1;
1297 const currentUrl = document.location.href;
1298 this.retrySendmove = setInterval(
1299 () => {
1300 if (
1301 counter >= 3 ||
1302 this.opponentGotMove ||
1303 document.location.href != currentUrl //page change
1304 ) {
1305 clearInterval(this.retrySendmove);
1306 return;
1307 }
1308 const oppsid = this.getOppsid();
1309 if (!oppsid)
1310 // Opponent is disconnected: he'll ask last state
1311 clearInterval(this.retrySendmove);
1312 else {
1313 this.send("newmove", { data: sendMove, target: oppsid });
1314 counter++;
1315 }
1316 },
1317 1500
1318 );
1319 }
1320 else
1321 // Not my move or I'm an observer: just start other player's clock
1322 this.re_setClocks();
1323 };
1324 if (
1325 this.game.type == "corr" &&
1326 moveCol == this.game.mycolor &&
1327 !data.receiveMyMove
1328 ) {
1329 let boardDiv = document.querySelector(".game");
1330 const afterSetScore = () => {
1331 doProcessMove();
1332 if (this.st.settings.gotonext && this.nextIds.length > 0)
1333 this.showNextGame();
1334 else {
1335 // The board might have been hidden:
1336 if (boardDiv.style.visibility == "hidden")
1337 boardDiv.style.visibility = "visible";
1338 if (data.score == "*") this.re_setClocks();
1339 }
1340 };
1341 let el = document.querySelector("#buttonsConfirm > .acceptBtn");
1342 // We may play several moves in a row: in case of, remove listener:
1343 let elClone = el.cloneNode(true);
1344 el.parentNode.replaceChild(elClone, el);
1345 elClone.addEventListener(
1346 "click",
1347 () => {
1348 document.getElementById("modalConfirm").checked = false;
1349 if (!!data.score && data.score != "*")
1350 // Set score first
1351 this.gameOver(data.score, null, afterSetScore);
1352 else afterSetScore();
1353 }
1354 );
1355 // PlayOnBoard is enough, and more appropriate for Synchrone Chess
1356 V.PlayOnBoard(this.vr.board, move);
1357 const position = this.vr.getBaseFen();
1358 V.UndoOnBoard(this.vr.board, move);
1359 if (["all","byrow"].includes(V.ShowMoves)) {
1360 this.curDiag = getDiagram({
1361 position: position,
1362 orientation: V.CanFlip ? this.game.mycolor : "w"
1363 });
1364 document.querySelector("#confirmDiv > .card").style.width =
1365 boardDiv.offsetWidth + "px";
1366 } else {
1367 // Incomplete information: just ask confirmation
1368 // Hide the board, because otherwise it could reveal infos
1369 boardDiv.style.visibility = "hidden";
1370 this.moveNotation = getFullNotation(move);
1371 }
1372 document.getElementById("modalConfirm").checked = true;
1373 }
1374 else {
1375 // Normal situation
1376 if (!!data.score && data.score != "*")
1377 this.gameOver(data.score, null, doProcessMove);
1378 else doProcessMove();
1379 }
1380 },
1381 cancelMove: function() {
1382 let boardDiv = document.querySelector(".game");
1383 if (boardDiv.style.visibility == "hidden")
1384 boardDiv.style.visibility = "visible";
1385 document.getElementById("modalConfirm").checked = false;
1386 this.$refs["basegame"].cancelLastMove();
1387 },
1388 // In corr games, callback to change page only after score is set:
1389 gameOver: function(score, scoreMsg, callback) {
1390 this.game.score = score;
1391 if (!scoreMsg) scoreMsg = getScoreMessage(score);
1392 this.game.scoreMsg = scoreMsg;
1393 this.$set(this.game, "scoreMsg", scoreMsg);
1394 const myIdx = this.game.players.findIndex(p => {
1395 return p.sid == this.st.user.sid || p.id == this.st.user.id;
1396 });
1397 if (myIdx >= 0) {
1398 // OK, I play in this game
1399 const scoreObj = {
1400 score: score,
1401 scoreMsg: scoreMsg
1402 };
1403 if (this.game.type == "live") {
1404 GameStorage.update(this.gameRef, scoreObj);
1405 if (!!callback) callback();
1406 }
1407 else this.updateCorrGame(scoreObj, callback);
1408 // Notify the score to main Hall. TODO: only one player (currently double send)
1409 this.send("result", { gid: this.game.id, score: score });
1410 // Also to MyGames page (TODO: doubled as well...)
1411 this.notifyMyGames(
1412 "score",
1413 {
1414 gid: this.gameRef,
1415 score: score
1416 }
1417 );
1418 }
1419 else if (!!callback) callback();
1420 }
1421 }
1422 };
1423 </script>
1424
1425 <style lang="sass" scoped>
1426 #infoDiv > .card
1427 padding: 15px 0
1428 max-width: 430px
1429
1430 .connected
1431 background-color: lightgreen
1432
1433 #participants
1434 margin-left: 5px
1435
1436 .anonymous
1437 color: grey
1438 font-style: italic
1439
1440 #playersInfo > p
1441 margin: 0
1442
1443 @media screen and (min-width: 768px)
1444 #actions
1445 width: 300px
1446 @media screen and (max-width: 767px)
1447 .game
1448 width: 100%
1449
1450 #actions
1451 display: inline-block
1452 margin: 0
1453
1454 button
1455 display: inline-block
1456 margin: 0
1457 display: inline-flex
1458 img
1459 height: 22px
1460 display: flex
1461 @media screen and (max-width: 767px)
1462 height: 18px
1463
1464 @media screen and (max-width: 767px)
1465 #aboveBoard
1466 text-align: center
1467 @media screen and (min-width: 768px)
1468 #aboveBoard
1469 margin-left: 30%
1470
1471 .variant-cadence
1472 padding-right: 10px
1473
1474 .variant-name
1475 font-weight: bold
1476 padding-right: 10px
1477
1478 span#nextGame
1479 background-color: #edda99
1480 cursor: pointer
1481 display: inline-block
1482 margin-right: 10px
1483
1484 span.name
1485 font-size: 1.5rem
1486 padding: 0 3px
1487
1488 span.time
1489 font-size: 2rem
1490 display: inline-block
1491 .time-left
1492 margin-left: 10px
1493 .time-right
1494 margin-left: 5px
1495 .time-separator
1496 margin-left: 5px
1497 position: relative
1498 top: -1px
1499
1500 span.yourturn
1501 color: #831B1B
1502 .time-separator
1503 animation: blink-animation 2s steps(3, start) infinite
1504 @keyframes blink-animation
1505 to
1506 visibility: hidden
1507
1508 .split-names
1509 display: inline-block
1510 margin: 0 15px
1511
1512 #chatWrap > .card
1513 padding-top: 20px
1514 max-width: 767px
1515 border: none
1516
1517 #confirmDiv > .card
1518 max-width: 767px
1519 max-height: 100%
1520
1521 .draw-sent, .draw-sent:hover
1522 background-color: lightyellow
1523
1524 .draw-received, .draw-received:hover
1525 background-color: lightgreen
1526
1527 .draw-threerep, .draw-threerep:hover
1528 background-color: #e4d1fc
1529
1530 .rematch-sent, .rematch-sent:hover
1531 background-color: lightyellow
1532
1533 .rematch-received, .rematch-received:hover
1534 background-color: lightgreen
1535
1536 .somethingnew
1537 background-color: #c5fefe
1538
1539 .diagram
1540 margin: 0 auto
1541 width: 100%
1542
1543 #buttonsConfirm
1544 margin: 0
1545 & > button > span
1546 width: 100%
1547 text-align: center
1548
1549 button.acceptBtn
1550 background-color: lightgreen
1551 button.refuseBtn
1552 background-color: red
1553 </style>