]> git.cworth.org Git - empires-server/blob - lmno.js
Plumb a game's ID value down into the base class
[empires-server] / lmno.js
1 const express = require("express");
2 const cors = require("cors");
3 const body_parser = require("body-parser");
4 const session = require("express-session");
5 const bcrypt = require("bcrypt");
6 const path = require("path");
7 const nunjucks = require("nunjucks");
8
9 try {
10   var lmno_config = require("./lmno-config.json");
11 } catch (err) {
12   config_usage();
13   process.exit(1);
14 }
15
16 function config_usage() {
17   console.log(`Error: Refusing to run without configuration.
18
19 Please create a file named lmno-config.json that looks as follows:
20
21 {
22   "session_secret": "<this should be a long string of true-random characters>",
23   "users": {
24     "username": "<username>",
25     "password_hash_bcrypt": "<password_hash_made_by_bcrypt>"
26   }
27 }
28
29 Note: Of course, change all of <these-parts> to actual values desired.
30
31 The "node lmno-passwd.js" command can help generate password hashes.`);
32 }
33
34 const app = express();
35 app.use(cors());
36 app.use(body_parser.urlencoded({ extended: false }));
37 app.use(body_parser.json());
38 app.use(session({
39   secret: lmno_config.session_secret,
40   resave: false,
41   saveUninitialized: false
42 }));
43
44 nunjucks.configure("templates", {
45   autoescape: true,
46   express: app
47 });
48
49 /* Load each of our game mini-apps. */
50 const engines = {
51   empires: require("./empires"),
52   tictactoe: require("./tictactoe")
53 };
54
55 class LMNO {
56   constructor() {
57     this.games = {};
58   }
59
60   generate_id() {
61     return Array(4).fill(null).map(() => LMNO.letters.charAt(Math.floor(Math.random() * LMNO.letters.length))).join('');
62   }
63
64   create_game(engine_name) {
65     do {
66       var id = this.generate_id();
67     } while (id in this.games);
68
69     const engine = engines[engine_name];
70
71     const game = new engine.Game(id);
72
73     this.games[id] = {
74       id: id,
75       game: game
76     };
77
78     return id;
79   }
80 }
81
82 /* Some letters we don't use in our IDs:
83  *
84  * 1. Vowels (AEIOU) to avoid accidentally spelling an unfortunate word
85  * 2. Lowercase letters (replace with corresponding capital on input)
86  * 3. N (replace with M on input)
87  * 4. P (replace with B on input)
88  * 5. S (replace with F on input)
89  */
90 LMNO.letters = "BCDFGHJKLMQRTVWXYZ";
91
92 const lmno = new LMNO();
93
94 /* Force a game ID into a canonical form as described above. */
95 function lmno_canonize(id) {
96   /* Capitalize */
97   id = id.toUpperCase();
98
99   /* Replace unused letters with nearest phonetic match. */
100   id = id.replace(/N/g, 'M');
101   id = id.replace(/P/g, 'B');
102   id = id.replace(/S/g, 'F');
103
104   /* Replace unused numbers nearest visual match. */
105   id = id.replace(/0/g, 'O');
106   id = id.replace(/1/g, 'I');
107   id = id.replace(/5/g, 'S');
108
109   return id;
110 }
111
112 app.post('/new/:game_engine', (request, response) =>  {
113   const game_engine = request.params.game_engine;
114   const game_id = lmno.create_game(game_engine);
115   response.send(JSON.stringify(game_id));
116 });
117
118 /* Redirect any requests to a game ID at the top-level.
119  *
120  * Specifically, after obtaining the game ID (from the path) we simply
121  * lookup the game engine for the corresponding game and then redirect
122  * to the engine- and game-specific path.
123  */
124 app.get('/[a-zA-Z0-9]{4}', (request, response) => {
125   const game_id = request.path.replace(/\//g, "");
126   const canon_id = lmno_canonize(game_id);
127
128   /* Redirect user to page with the canonical ID in it. */
129   if (game_id !== canon_id) {
130     response.redirect(301, `/${canon_id}/`);
131     return;
132   }
133
134   const game = lmno.games[game_id];
135   if (game === undefined) {
136       response.sendStatus(404);
137       return;
138   }
139   response.redirect(301, `/${game.game.meta.identifier}/${game.id}/`);
140 });
141
142 /* LMNO middleware to lookup the game. */
143 app.use('/:engine([^/]+)/:game_id([a-zA-Z0-9]{4})', (request, response, next) => {
144   const engine = request.params.engine;
145   const game_id = request.params.game_id;
146   const canon_id = lmno_canonize(game_id);
147
148   /* Redirect user to page with the canonical ID in it, also ensuring
149    * that the game ID is _always_ followed by a slash. */
150   const has_slash = new RegExp(`^/${engine}/${game_id}/`);
151   if (game_id !== canon_id ||
152       ! has_slash.test(request.originalUrl))
153   {
154     const old_path = new RegExp(`/${engine}/${game_id}/?`);
155     const new_path = `/${engine}/${canon_id}/`;
156     const new_url = request.originalUrl.replace(old_path, new_path);
157     response.redirect(301, new_url);
158     return;
159   }
160
161   /* See if there is any game with this ID. */
162   const game = lmno.games[game_id];
163   if (game === undefined) {
164     response.sendStatus(404);
165     return;
166   }
167
168   /* Stash the game onto the request to be used by the game-specific code. */
169   request.game = game.game;
170   next();
171 });
172
173 function auth_admin(request, response, next) {
174   /* If there is no user associated with this session, redirect to the login
175    * page (and set a "next" query parameter so we can come back here).
176    */
177   if (! request.session.user) {
178     response.redirect(302, "/login?next=" + request.path);
179     return;
180   }
181
182   /* If the user is logged in but not authorized to view the page then 
183    * we return that error. */
184   if (request.session.user.role !== "admin") {
185     response.status(401).send("Unauthorized");
186     return;
187   }
188   next();
189 }
190
191 app.get('/logout', (request, response) => {
192   request.session.user = undefined;
193   request.session.destroy();
194
195   response.send("You are now logged out.");
196 });
197
198 app.get('/login', (request, response) => {
199   if (request.session.user) {
200     response.send("Welcome, " + request.session.user + ".");
201     return;
202   }
203
204   response.render('login.html');
205 });
206
207 app.post('/login', async (request, response) => {
208   const username = request.body.username;
209   const password = request.body.password;
210   const user = lmno_config.users[username];
211   if (! user) {
212     response.sendStatus(404);
213     return;
214   }
215   const match = await bcrypt.compare(password, user.password_hash_bcrypt);
216   if (! match) {
217     response.sendStatus(404);
218     return;
219   }
220   request.session.user = { username: user.username, role: user.role };
221   response.sendStatus(200);
222   return;
223 });
224
225 /* API to set uer profile information */
226 app.put('/profile', (request, response) => {
227   const nickname = request.body.nickname;
228   if (nickname) {
229     request.session.nickname = nickname;
230     request.session.save();
231   }
232   response.send();
233 });
234
235 /* An admin page (only available to admin users, of course) */
236 app.get('/admin/', auth_admin, (request, response) => {
237   let active = [];
238   let idle = [];
239
240   for (let id in lmno.games) {
241     if (lmno.games[id].game.clients.length)
242       active.push(lmno.games[id]);
243     else
244       idle.push(lmno.games[id]);
245   }
246   response.render('admin.html', { test: "foobar", games: { active: active, idle: idle}});
247 });
248
249
250 /* Mount sub apps. only _after_ we have done all the middleware we need. */
251 for (let key in engines) {
252   const engine = engines[key];
253
254   /* Add routes that are common to all games. */
255   engine.router.get('/', (request, response) => {
256     const game = request.game;
257
258     if (! request.session.nickname)
259       response.render('choose-nickname.html', { game_name: game.meta.name });
260     else
261       response.render(`${game.meta.identifier}-game.html`);
262   });
263
264   /* And mount the whole router at the path for the game. */
265   app.use(`/${engine.Game.meta.identifier}/[a-zA-Z0-9]{4}/`, engine.router);
266 }
267
268 app.listen(4000, function () {
269   console.log('LMNO server listening on localhost:4000');
270 });