76879bced1536f94c031f6b66c6608b76bb2035a
[vchess.git] / client / src / views / MyGames.vue
1 <template lang="pug">
2 main
3 .row
4 .col-sm-12.col-md-10.col-md-offset-1.col-lg-8.col-lg-offset-2
5 .button-group
6 button.tabbtn#liveGames(@click="setDisplay('live',$event)")
7 | {{ st.tr["Live games"] }}
8 button.tabbtn#corrGames(@click="setDisplay('corr',$event)")
9 | {{ st.tr["Correspondence games"] }}
10 button.tabbtn#importGames(@click="setDisplay('import',$event)")
11 | {{ st.tr["Imported games"] }}
12 GameList(
13 ref="livegames"
14 v-show="display=='live'"
15 :games="liveGames"
16 @show-game="showGame"
17 @abortgame="abortGame"
18 )
19 GameList(
20 v-show="display=='corr'"
21 ref="corrgames"
22 :games="corrGames"
23 @show-game="showGame"
24 @abortgame="abortGame"
25 )
26 UploadGame(
27 v-show="display=='import'"
28 @game-uploaded="addGameImport"
29 )
30 GameList(
31 v-show="display=='import'"
32 ref="importgames"
33 :games="importGames"
34 :show-both="true"
35 @show-game="showGame"
36 )
37 button#loadMoreBtn(
38 v-show="hasMore[display]"
39 @click="loadMore(display)"
40 )
41 | {{ st.tr["Load more"] }}
42 </template>
43
44 <script>
45 import { store } from "@/store";
46 import { GameStorage } from "@/utils/gameStorage";
47 import { ImportgameStorage } from "@/utils/importgameStorage";
48 import { ajax } from "@/utils/ajax";
49 import { getScoreMessage } from "@/utils/scoring";
50 import params from "@/parameters";
51 import { getRandString } from "@/utils/alea";
52 import GameList from "@/components/GameList.vue";
53 import UploadGame from "@/components/UploadGame.vue";
54 export default {
55 name: "my-my-games",
56 components: {
57 GameList,
58 UploadGame
59 },
60 data: function() {
61 return {
62 st: store.state,
63 display: "live",
64 liveGames: [],
65 corrGames: [],
66 importGames: [],
67 // timestamp of last showed (oldest) game:
68 cursor: {
69 live: Number.MAX_SAFE_INTEGER,
70 "import": Number.MAX_SAFE_INTEGER,
71 corr: Number.MAX_SAFE_INTEGER
72 },
73 // hasMore == TRUE: a priori there could be more games to load
74 hasMore: {
75 live: true,
76 "import": true,
77 corr: (store.state.user.id > 0)
78 },
79 conn: null,
80 connexionString: "",
81 socketCloseListener: 0
82 };
83 },
84 watch: {
85 $route: function(to, from) {
86 if (to.path != "/mygames") this.cleanBeforeDestroy();
87 },
88 // st.variants changes only once, at loading from [] to [...]
89 "st.variants": function() {
90 // Set potential games variant names + display:
91 this.liveGames.concat(this.corrGames).concat(this.importGames)
92 .forEach(o => {
93 if (!o.vname) this.setVname(o);
94 });
95 }
96 },
97 created: function() {
98 window.addEventListener("beforeunload", this.cleanBeforeDestroy);
99 // Initialize connection
100 this.connexionString =
101 params.socketUrl +
102 "/?sid=" + this.st.user.sid +
103 "&id=" + this.st.user.id +
104 "&tmpId=" + getRandString() +
105 "&page=" +
106 encodeURIComponent(this.$route.path);
107 this.conn = new WebSocket(this.connexionString);
108 this.conn.onmessage = this.socketMessageListener;
109 this.socketCloseListener = setInterval(
110 () => {
111 if (this.conn.readyState == 3) {
112 // Connexion is closed: re-open
113 this.conn.removeEventListener("message", this.socketMessageListener);
114 this.conn = new WebSocket(this.connexionString);
115 this.conn.addEventListener("message", this.socketMessageListener);
116 }
117 },
118 1000
119 );
120 },
121 mounted: function() {
122 const adjustAndSetDisplay = () => {
123 // showType is the last type viewed by the user (default)
124 let showType = localStorage.getItem("type-myGames") || "live";
125 // Live games, my turn: highest priority:
126 if (this.liveGames.some(g => !!g.myTurn)) showType = "live";
127 // Then corr games, my turn:
128 else if (this.corrGames.some(g => !!g.myTurn)) showType = "corr";
129 else {
130 // If a listing is empty, try showing the other (if non-empty)
131 const types = ["corr", "live"];
132 for (let i of [0,1]) {
133 if (
134 this[types[i] + "Games"].length > 0 &&
135 this[types[1-i] + "Games"].length == 0
136 ) {
137 showType = types[i];
138 }
139 }
140 }
141 this.setDisplay(showType);
142 };
143 GameStorage.getRunning(localGames => {
144 localGames.forEach(g => g.type = "live");
145 this.decorate(localGames);
146 this.liveGames = localGames;
147 if (this.st.user.id > 0) {
148 // Ask running corr games first
149 ajax(
150 "/runninggames",
151 "GET",
152 {
153 credentials: true,
154 success: (res) => {
155 // These games are garanteed to not be deleted
156 this.corrGames = res.games;
157 this.corrGames.forEach(g => {
158 g.type = "corr";
159 g.score = "*";
160 });
161 this.decorate(this.corrGames);
162 // Now ask completed games (partial list)
163 this.loadMore(
164 "live",
165 () => this.loadMore("corr", () => {
166 this.loadMore("import", adjustAndSetDisplay);
167 })
168 );
169 }
170 }
171 );
172 }
173 else {
174 this.loadMore("live", () => {
175 this.loadMore("import", adjustAndSetDisplay);
176 });
177 }
178 });
179 },
180 beforeDestroy: function() {
181 this.cleanBeforeDestroy();
182 },
183 methods: {
184 cleanBeforeDestroy: function() {
185 clearInterval(this.socketCloseListener);
186 window.removeEventListener("beforeunload", this.cleanBeforeDestroy);
187 this.conn.removeEventListener("message", this.socketMessageListener);
188 this.conn.send(JSON.stringify({code: "disconnect"}));
189 this.conn = null;
190 },
191 setDisplay: function(type, e) {
192 this.display = type;
193 localStorage.setItem("type-myGames", type);
194 let elt = (!!e ? e.target : document.getElementById(type + "Games"));
195 elt.classList.add("active");
196 elt.classList.remove("somethingnew"); //in case of
197 for (let t of ["live","corr","import"]) {
198 if (t != type)
199 document.getElementById(t + "Games").classList.remove("active");
200 }
201 },
202 // TODO: duplicated from Hall.vue:
203 setVname: function(obj) {
204 const variant = this.st.variants.find(v => v.id == obj.vid);
205 if (!!variant) {
206 obj.vname = variant.name;
207 obj.vdisp = variant.display;
208 }
209 },
210 addGameImport(game) {
211 game.type = "import";
212 ImportgameStorage.add(game, (err) => {
213 if (!!err) {
214 if (err.message.indexOf("Key already exists") < 0) {
215 alert(this.st.tr["An error occurred. Try again!"]);
216 return;
217 }
218 // NOTE: since a random new ID is generated for imported games,
219 // this error will not occur.
220 else alert(this.st.tr["The game was already imported"]);
221 }
222 this.$router.push("/game/" + game.id);
223 });
224 },
225 tryShowNewsIndicator: function(type) {
226 if (
227 (type == "live" && this.display != "live") ||
228 (type == "corr" && this.display != "corr")
229 ) {
230 document
231 .getElementById(type + "Games")
232 .classList.add("somethingnew");
233 }
234 },
235 // Called at loading to augment games with myColor + myTurn infos
236 decorate: function(games) {
237 games.forEach(g => {
238 g.myColor =
239 (g.type == "corr" && g.players[0].id == this.st.user.id) ||
240 (g.type == "live" && g.players[0].sid == this.st.user.sid)
241 ? 'w'
242 : 'b';
243 // If game is over, myTurn doesn't exist:
244 if (g.score == "*") {
245 const rem = g.movesCount % 2;
246 if ((rem == 0 && g.myColor == 'w') || (rem == 1 && g.myColor == 'b'))
247 g.myTurn = true;
248 }
249 this.setVname(g);
250 });
251 },
252 socketMessageListener: function(msg) {
253 if (!this.conn) return;
254 const data = JSON.parse(msg.data);
255 // NOTE: no imported games here
256 let gamesArrays = {
257 "corr": this.corrGames,
258 "live": this.liveGames
259 };
260 switch (data.code) {
261 case "notifyturn":
262 case "notifyscore": {
263 const info = data.data;
264 const type = (!!parseInt(info.gid, 10) ? "corr" : "live");
265 let game = gamesArrays[type].find(g => g.id == info.gid);
266 // "notifything" --> "thing":
267 const thing = data.code.substr(6);
268 game[thing] = info[thing];
269 if (thing == "turn") {
270 game.myTurn = !game.myTurn;
271 if (game.myTurn) this.tryShowNewsIndicator(type);
272 }
273 else game.myTurn = false;
274 // TODO: forcing refresh like that is ugly and wrong.
275 // How to do it cleanly?
276 this.$refs[type + "games"].$forceUpdate();
277 break;
278 }
279 case "notifynewgame": {
280 let gameInfo = data.data;
281 this.setVname(gameInfo);
282 const type = (gameInfo.cadence.indexOf('d') >= 0 ? "corr": "live");
283 let game = Object.assign(
284 {
285 type: type,
286 score: "*",
287 created: Date.now()
288 },
289 gameInfo
290 );
291 game.myTurn =
292 (type == "corr" && game.players[0].id == this.st.user.id) ||
293 (type == "live" && game.players[0].sid == this.st.user.sid);
294 gamesArrays[type].push(game);
295 if (game.myTurn) this.tryShowNewsIndicator(type);
296 // TODO: cleaner refresh
297 this.$refs[type + "games"].$forceUpdate();
298 break;
299 }
300 }
301 },
302 showGame: function(game) {
303 if (game.type != "corr" || !game.myTurn) {
304 this.$router.push("/game/" + game.id);
305 return;
306 }
307 // It's my turn in this game. Are there others?
308 let nextIds = "";
309 let otherCorrGamesMyTurn = this.corrGames.filter(g =>
310 g.id != game.id && !!g.myTurn);
311 if (otherCorrGamesMyTurn.length > 0) {
312 nextIds += "/?next=[";
313 otherCorrGamesMyTurn.forEach(g => { nextIds += g.id + ","; });
314 // Remove last comma and close array:
315 nextIds = nextIds.slice(0, -1) + "]";
316 }
317 this.$router.push("/game/" + game.id + nextIds);
318 },
319 abortGame: function(game) {
320 // Special "trans-pages" case: from MyGames to Game
321 // TODO: also for corr games? (It's less important)
322 if (game.type == "live") {
323 const oppsid =
324 game.players[0].sid == this.st.user.sid
325 ? game.players[1].sid
326 : game.players[0].sid;
327 if (!!this.conn) {
328 this.conn.send(
329 JSON.stringify(
330 {
331 code: "mabort",
332 gid: game.id,
333 // NOTE: target might not be online
334 target: oppsid
335 }
336 )
337 );
338 }
339 }
340 // NOTE: no imported games here
341 else if (!game.deletedByWhite || !game.deletedByBlack) {
342 // Set score if game isn't deleted on server:
343 ajax(
344 "/games",
345 "PUT",
346 {
347 data: {
348 gid: game.id,
349 newObj: {
350 score: "?",
351 scoreMsg: getScoreMessage("?")
352 }
353 }
354 }
355 );
356 }
357 },
358 loadMore: function(type, cb) {
359 if (type == "corr" && this.st.user.id > 0) {
360 ajax(
361 "/completedgames",
362 "GET",
363 {
364 credentials: true,
365 data: { cursor: this.cursor["corr"] },
366 success: (res) => {
367 const L = res.games.length;
368 if (L > 0) {
369 this.cursor["corr"] = res.games[L - 1].created;
370 let moreGames = res.games;
371 moreGames.forEach(g => g.type = "corr");
372 this.decorate(moreGames);
373 this.corrGames = this.corrGames.concat(moreGames);
374 }
375 else this.hasMore["corr"] = false;
376 if (!!cb) cb();
377 }
378 }
379 );
380 }
381 else if (type == "live") {
382 GameStorage.getNext(this.cursor["live"], localGames => {
383 const L = localGames.length;
384 if (L > 0) {
385 // Add "-1" because IDBKeyRange.upperBound includes boundary
386 this.cursor["live"] = localGames[L - 1].created - 1;
387 localGames.forEach(g => {
388 g.type = "live";
389 if (!g.options) g.options = {}; //TODO: remove patch
390 });
391 this.decorate(localGames);
392 this.liveGames = this.liveGames.concat(localGames);
393 }
394 else this.hasMore["live"] = false;
395 if (!!cb) cb();
396 });
397 }
398 else if (type == "import") {
399 ImportgameStorage.getNext(this.cursor["import"], importGames => {
400 const L = importGames.length;
401 if (L > 0) {
402 // Add "-1" because IDBKeyRange.upperBound includes boundary
403 this.cursor["import"] = importGames[L - 1].created - 1;
404 importGames.forEach(g => {
405 g.type = "import";
406 if (!g.options) g.options = {}; //TODO: remove patch
407 this.setVname(g);
408 });
409 this.importGames = this.importGames.concat(importGames);
410 }
411 else this.hasMore["import"] = false;
412 if (!!cb) cb();
413 });
414 }
415 }
416 }
417 };
418 </script>
419
420 <style lang="sass" scoped>
421 .active
422 color: #388e3c
423
424 .tabbtn
425 background-color: #f9faee
426
427 button#loadMoreBtn
428 display: block
429 margin: 0 auto
430
431 .somethingnew
432 background-color: #90C4EC !important
433 </style>
434
435 <!-- Not scoped because acting on GameList -->
436 <style lang="sass">
437 table.game-list
438 max-height: 100%
439 </style>