1
1
use std::{
2
    cmp::Ordering,
3
    collections::{HashMap, HashSet},
4
    time::Duration,
5
};
6

            
7
use actionable::{Permissions, Statement};
8
use bonsaidb::{
9
    core::{
10
        api::Infallible,
11
        async_trait::async_trait,
12
        connection::AsyncStorageConnection,
13
        document::CollectionDocument,
14
        permissions::bonsai::{BonsaiAction, ServerAction},
15
        schema::SerializedCollection,
16
    },
17
    local::{config::Builder, StorageNonBlocking},
18
    server::{
19
        api::{Handler, HandlerError, HandlerSession},
20
        cli::Command,
21
        Backend, BackendError, ConnectedClient, ConnectionHandling, CustomServer,
22
        ServerConfiguration, ServerDatabase,
23
    },
24
};
25
use clap::Parser;
26
use minority_game_shared::{
27
    Choice, ChoiceSet, RoundComplete, RoundPending, SetChoice, SetTell, Welcome,
28
};
29
use rand::{thread_rng, Rng};
30
use tokio::time::Instant;
31

            
32
use crate::{
33
    schema::{GameSchema, Player},
34
    webserver::WebServer,
35
};
36

            
37
mod schema;
38
mod webserver;
39

            
40
const DATABASE_NAME: &str = "minority-game";
41
const SECONDS_PER_ROUND: u32 = 5;
42
const TOO_BUSY_HAPPINESS_MULTIPLIER: f32 = 0.8;
43
const HAD_FUN_HAPPINESS_MULTIPLIER: f32 = 1.5;
44
const STAYED_IN_MULTIPLIER: f32 = 0.2;
45

            
46
#[tokio::main]
47
#[cfg_attr(not(debug_assertions), allow(unused_mut))]
48
async fn main() -> anyhow::Result<()> {
49
    let command = Command::<Game>::parse();
50

            
51
    let server = CustomServer::<Game>::open(
52
        ServerConfiguration::new("minority-game.bonsaidb")
53
            .server_name("minority-game.gooey.rs")
54
            .default_permissions(Permissions::from(
55
                Statement::for_any().allowing(&BonsaiAction::Server(ServerAction::Connect)),
56
            )),
57
    )
58
    .await?;
59

            
60
    match command {
61
        Command::Certificate(cert_command) => {
62
            let is_installing_self_signed = matches!(
63
                cert_command,
64
                bonsaidb::server::cli::certificate::Command::InstallSelfSigned { .. }
65
            );
66
            cert_command.execute(&server).await?;
67
            if is_installing_self_signed {
68
                if let Ok(chain) = server.certificate_chain().await {
69
                    tokio::fs::write(
70
                        server.path().join("public-certificate.der"),
71
                        &chain.end_entity_certificate(),
72
                    )
73
                    .await?;
74
                }
75
            }
76
        }
77
        Command::Serve(mut serve_command) => {
78
            #[cfg(debug_assertions)]
79
            if serve_command.http_port.is_none() {
80
                use std::net::{Ipv6Addr, SocketAddr, SocketAddrV6};
81

            
82
                serve_command.http_port = Some(SocketAddr::V6(SocketAddrV6::new(
83
                    Ipv6Addr::UNSPECIFIED,
84
                    8080,
85
                    0,
86
                    0,
87
                )));
88
                serve_command.https_port = Some(SocketAddr::V6(SocketAddrV6::new(
89
                    Ipv6Addr::UNSPECIFIED,
90
                    8081,
91
                    0,
92
                    0,
93
                )));
94
            }
95

            
96
            serve_command
97
                .execute_with(&server, WebServer::new(server.clone()).await)
98
                .await?
99
        }
100
        Command::Storage(storage) => storage.execute_on_async(&server).await?,
101
    }
102
    Ok(())
103
}
104

            
105
#[derive(Debug)]
106
enum Game {}
107

            
108
#[async_trait]
109
impl Backend for Game {
110
    type Error = Infallible;
111
    type ClientData = CollectionDocument<Player>;
112

            
113
    fn configure(
114
        config: ServerConfiguration<Self>,
115
    ) -> Result<ServerConfiguration<Self>, BackendError<Infallible>> {
116
        Ok(config
117
            .with_schema::<GameSchema>()?
118
            .with_api::<ApiHandler, SetChoice>()?
119
            .with_api::<ApiHandler, SetTell>()?)
120
    }
121

            
122
    async fn initialize(server: &CustomServer<Self>) -> Result<(), BackendError<Infallible>> {
123
        server
124
            .create_database::<GameSchema>(DATABASE_NAME, true)
125
            .await?;
126

            
127
        tokio::spawn(game_loop(server.clone()));
128
        Ok(())
129
    }
130

            
131
    async fn client_connected(
132
        client: &ConnectedClient<Self>,
133
        server: &CustomServer<Self>,
134
    ) -> Result<ConnectionHandling, BackendError<Infallible>> {
135
        log::info!(
136
            "{:?} client connected from {:?}",
137
            client.transport(),
138
            client.address()
139
        );
140

            
141
        let player = Player::default()
142
            .push_into_async(&server.game_database().await?)
143
            .await?;
144

            
145
        drop(client.send::<Welcome>(
146
            None,
147
            &Welcome {
148
                player_id: player.header.id,
149
                happiness: player.contents.stats.happiness,
150
            },
151
        ));
152

            
153
        client.set_client_data(player).await;
154

            
155
        Ok(ConnectionHandling::Accept)
156
    }
157
}
158

            
159
#[derive(Debug)]
160
enum ApiHandler {}
161

            
162
#[actionable::async_trait]
163
impl Handler<Game, SetChoice> for ApiHandler {
164
    async fn handle(
165
        session: HandlerSession<'_, Game>,
166
        api: SetChoice,
167
    ) -> Result<ChoiceSet, HandlerError<Infallible>> {
168
        let SetChoice(choice) = api;
169
        let db = session.server.game_database().await?;
170

            
171
        let mut player = session.client.client_data().await;
172
        let player = player
173
            .as_mut()
174
            .expect("all connected clients should have a player record");
175

            
176
        player.contents.choice = Some(choice);
177
        player.update_async(&db).await?;
178

            
179
        Ok(ChoiceSet(choice))
180
    }
181
}
182

            
183
#[actionable::async_trait]
184
impl Handler<Game, SetTell> for ApiHandler {
185
    async fn handle(
186
        session: HandlerSession<'_, Game>,
187
        api: SetTell,
188
    ) -> Result<ChoiceSet, HandlerError<Infallible>> {
189
        let SetTell(tell) = api;
190
        let db = session.server.game_database().await?;
191

            
192
        let mut player = session.client.client_data().await;
193
        let player = player
194
            .as_mut()
195
            .expect("all connected clients should have a player record");
196

            
197
        player.contents.tell = Some(tell);
198
        player.update_async(&db).await?;
199

            
200
        Ok(ChoiceSet(tell))
201
    }
202
}
203

            
204
#[async_trait]
205
trait CustomServerExt {
206
    async fn game_database(&self) -> Result<ServerDatabase<Game>, bonsaidb::core::Error>;
207
}
208

            
209
#[async_trait]
210
impl CustomServerExt for CustomServer<Game> {
211
    async fn game_database(&self) -> Result<ServerDatabase<Game>, bonsaidb::core::Error> {
212
        self.database::<GameSchema>(DATABASE_NAME).await
213
    }
214
}
215

            
216
async fn game_loop(server: CustomServer<Game>) -> Result<(), bonsaidb::server::Error> {
217
    let mut last_iteration = Instant::now();
218
    let mut state = GameState::Idle;
219
    let db = server.game_database().await?;
220
    loop {
221
        last_iteration += Duration::from_secs(1);
222
        tokio::time::sleep_until(last_iteration).await;
223

            
224
        let clients = server.connected_clients().await;
225

            
226
        state = match state {
227
            GameState::Idle => send_status_update(&clients, None).await?,
228
            GameState::Pending {
229
                mut seconds_remaining,
230
            } => {
231
                if seconds_remaining > 0 {
232
                    seconds_remaining -= 1;
233
                    send_status_update(&clients, Some(seconds_remaining)).await?
234
                } else {
235
                    play_game(&db, &clients).await?
236
                }
237
            }
238
        };
239
    }
240
}
241

            
242
async fn send_status_update(
243
    clients: &[ConnectedClient<Game>],
244
    seconds_remaining: Option<u32>,
245
) -> Result<GameState, bonsaidb::server::Error> {
246
    let (mut players, clients_by_player_id) = collect_players(clients).await?;
247
    if players.is_empty() {
248
        return Ok(GameState::Idle);
249
    }
250

            
251
    sort_players(&mut players[..]);
252

            
253
    let (tells_going_out, number_of_tells) = players
254
        .iter()
255
        .map(|player| match player.contents.tell {
256
            Some(Choice::GoOut) => (1, 1),
257
            Some(Choice::StayIn) => (0, 1),
258
            None => (0, 0),
259
        })
260
        .fold((0, 0), |acc, player| (acc.0 + player.0, acc.1 + player.1));
261

            
262
    let seconds_remaining = seconds_remaining.unwrap_or(SECONDS_PER_ROUND);
263

            
264
    for (index, player) in players.iter().enumerate() {
265
        let client = &clients_by_player_id[&player.header.id];
266
        drop(client.send::<RoundPending>(
267
            None,
268
            &RoundPending {
269
                seconds_remaining,
270
                number_of_players: players.len() as u32,
271
                current_rank: index as u32 + 1,
272
                tells_going_out,
273
                number_of_tells,
274
            },
275
        ));
276
    }
277

            
278
    Ok(GameState::Pending { seconds_remaining })
279
}
280

            
281
async fn play_game(
282
    db: &ServerDatabase<Game>,
283
    clients: &[ConnectedClient<Game>],
284
) -> Result<GameState, bonsaidb::server::Error> {
285
    let (mut players, clients_by_player_id) = collect_players(clients).await?;
286
    if players.is_empty() {
287
        return Ok(GameState::Idle);
288
    }
289

            
290
    let mut going_out_player_ids = HashSet::new();
291
    let mut going_out = 0_u32;
292
    let mut staying_in = 0_u32;
293
    for player in &players {
294
        match player.contents.choice.unwrap() {
295
            Choice::GoOut => {
296
                going_out_player_ids.insert(player.header.id);
297
                going_out += 1;
298
            }
299
            Choice::StayIn => {
300
                staying_in += 1;
301
            }
302
        }
303
    }
304

            
305
    {
306
        let mut rng = thread_rng();
307
        while going_out + staying_in < 3 {
308
            if rng.gen_bool(0.5) {
309
                going_out += 1;
310
            } else {
311
                staying_in += 1;
312
            }
313
        }
314
    }
315

            
316
    let (number_of_liars, number_of_tells) = players
317
        .iter()
318
        .map(|player| {
319
            if player.contents.tell.is_some() && player.contents.choice != player.contents.tell {
320
                (1, 1)
321
            } else {
322
                (0, if player.contents.tell.is_some() { 1 } else { 0 })
323
            }
324
        })
325
        .fold((0, 0), |acc, player| (acc.0 + player.0, acc.1 + player.1));
326

            
327
    let had_fun = going_out <= staying_in;
328
    for player in &mut players {
329
        match player.contents.choice.take().unwrap() {
330
            Choice::GoOut => {
331
                player.contents.stats.times_went_out += 1;
332
                if had_fun {
333
                    player.contents.stats.happiness =
334
                        (player.contents.stats.happiness * HAD_FUN_HAPPINESS_MULTIPLIER).min(1.);
335
                } else {
336
                    player.contents.stats.happiness *= TOO_BUSY_HAPPINESS_MULTIPLIER;
337
                }
338
            }
339
            Choice::StayIn => {
340
                player.contents.stats.times_stayed_in += 1;
341
                player.contents.stats.happiness = (player.contents.stats.happiness
342
                    + (0.5 - player.contents.stats.happiness) * STAYED_IN_MULTIPLIER)
343
                    .min(1.);
344
            }
345
        }
346

            
347
        player.contents.tell = None;
348
        player.update_async(db).await?;
349
    }
350

            
351
    sort_players(&mut players);
352

            
353
    let number_of_players = players.len() as u32;
354
    for (index, player) in players.into_iter().enumerate() {
355
        let client = &clients_by_player_id[&player.header.id];
356
        let won = if going_out_player_ids.contains(&player.header.id) {
357
            had_fun
358
        } else {
359
            player.contents.stats.happiness < 0.5
360
        };
361
        drop(client.send::<RoundComplete>(
362
            None,
363
            &RoundComplete {
364
                won,
365
                happiness: player.contents.stats.happiness,
366
                current_rank: index as u32 + 1,
367
                number_of_players,
368
                number_of_tells,
369
                number_of_liars,
370
            },
371
        ));
372
        client.set_client_data(player).await;
373
    }
374

            
375
    Ok(GameState::Idle)
376
}
377

            
378
enum GameState {
379
    Idle,
380
    Pending { seconds_remaining: u32 },
381
}
382

            
383
async fn collect_players(
384
    clients: &[ConnectedClient<Game>],
385
) -> Result<
386
    (
387
        Vec<CollectionDocument<Player>>,
388
        HashMap<u64, ConnectedClient<Game>>,
389
    ),
390
    bonsaidb::server::Error,
391
> {
392
    let mut players = Vec::new();
393
    let mut clients_by_player_id = HashMap::new();
394

            
395
    for client in clients {
396
        let mut player = client.client_data().await;
397
        if let Some(player) = player.as_mut() {
398
            clients_by_player_id.insert(player.header.id, client.clone());
399
            if player.contents.choice.is_some() {
400
                players.push(player.clone());
401
            }
402
        }
403
    }
404

            
405
    Ok((players, clients_by_player_id))
406
}
407

            
408
fn sort_players(players: &mut [CollectionDocument<Player>]) {
409
    players.sort_by(|a, b| {
410
        assert!(!a.contents.stats.happiness.is_nan() && !b.contents.stats.happiness.is_nan());
411
        if approx::relative_eq!(a.contents.stats.happiness, b.contents.stats.happiness) {
412
            Ordering::Equal
413
        } else if a.contents.stats.happiness < b.contents.stats.happiness {
414
            Ordering::Less
415
        } else {
416
            Ordering::Greater
417
        }
418
    });
419
}