1
1
use bonsaidb::client::{ApiCallback, Client};
2
use cfg_if::cfg_if;
3
use gooey::{
4
    core::{figures::Size, Context, StyledWidget, WindowBuilder},
5
    widgets::{
6
        button::Button,
7
        component::{Behavior, Component, ComponentCommand, Content, EventMapper},
8
        label::Label,
9
        layout::{Dimension, Layout, WidgetLayout},
10
    },
11
    App,
12
};
13
use minority_game_shared::{
14
    whole_percent, Choice, ChoiceSet, RoundComplete, RoundPending, SetChoice, SetTell, Welcome,
15
};
16

            
17
fn main() {
18
    // The user interface and database will be run separately, and flume
19
    // channels will send `DatabaseCommand`s to do operations on the database
20
    // server.
21
    let (command_sender, command_receiver) = flume::unbounded();
22

            
23
    // Spawn an async task that processes commands sent by `command_sender`.
24
    App::spawn(process_database_commands(command_receiver));
25

            
26
    App::from(
27
        WindowBuilder::new(|storage| Component::new(GameInterface::new(command_sender), storage))
28
            .size(Size::new(512, 384))
29
            .title("Minority Game - BonsaiDb + Gooey Demo"),
30
    )
31
    // Register our custom component's transmogrifier.
32
    .with_component::<GameInterface>()
33
    // Run the app using the widget returned by the initializer.
34
    .run()
35
}
36

            
37
#[derive(Debug)]
38
struct GameInterface {
39
    command_sender: flume::Sender<DatabaseCommand>,
40
}
41

            
42
impl GameInterface {
43
    /// Returns a new instance that sends database commands to `command_sender`.
44
    pub const fn new(command_sender: flume::Sender<DatabaseCommand>) -> Self {
45
        Self { command_sender }
46
    }
47
}
48

            
49
/// Component defines a trait `Behavior` that allows you to write cross-platform
50
/// code that interacts with one or more other widgets.
51
impl Behavior for GameInterface {
52
    type Content = Layout;
53
    /// The event enum that child widget events will send.
54
    type Event = GameInterfaceEvent;
55
    /// An enum of child widgets.
56
    type Widgets = GameWidgets;
57

            
58
    fn build_content(
59
        &mut self,
60
        builder: <Self::Content as Content<Self>>::Builder,
61
        events: &EventMapper<Self>,
62
    ) -> StyledWidget<Layout> {
63
        builder
64
            .with(
65
                None,
66
                Label::new("This is an adaption of the game theory game \"Minority Game\". Choose between staying in or going out. If more than 50% of the players go out, everyone who goes out will lose happiness because they have a bad time when everything is crowded. However, if it's not too crowed, the players who chose to go out will gain a significant amount of happiness. Those who choose to stay in will gravitate toward 50% happiness."),
67
                WidgetLayout::build()
68
                    .top(Dimension::exact(20.))
69
                    .left(Dimension::exact(20.))
70
                    .right(Dimension::exact(20.))
71
                    .finish(),
72
            )
73
            .with(
74
                None,
75
                Label::new("Pick your choice:"),
76
                WidgetLayout::build()
77
                .bottom(Dimension::exact(100.))
78
                    .left(Dimension::exact(20.))
79
                    .finish(),
80
            )
81
            .with(
82
                GameWidgets::GoOut,
83
                Button::new(
84
                    "Go Out",
85
                    events.map(|_| GameInterfaceEvent::ChoiceClicked(Choice::GoOut)),
86
                ),
87
                WidgetLayout::build()
88
                    .left(Dimension::exact(200.))
89
                    .bottom(Dimension::exact(100.))
90
                    .finish(),
91
            )
92
            .with(
93
                GameWidgets::StayIn,
94
                Button::new(
95
                    "Stay In",
96
                    events.map(|_| GameInterfaceEvent::ChoiceClicked(Choice::StayIn)),
97
                ),
98
                WidgetLayout::build()
99
                    .left(Dimension::exact(250.))
100
                    .bottom(Dimension::exact(100.))
101
                    .finish(),
102
            )
103
            .with(
104
                None,
105
                Label::new("Pick your tell (Optional):"),
106
                WidgetLayout::build()
107
                    .bottom(Dimension::exact(60.))
108
                    .left(Dimension::exact(20.))
109
                    .finish(),
110
            )
111
            .with(
112
                GameWidgets::TellGoOut,
113
                Button::new(
114
                    "Go Out",
115
                    events.map(|_| GameInterfaceEvent::TellClicked(Choice::GoOut)),
116
                ),
117
                WidgetLayout::build()
118
                    .left(Dimension::exact(200.))
119
                    .bottom(Dimension::exact(60.))
120
                        .finish(),
121
            )
122
            .with(
123
                GameWidgets::TellStayIn,
124
                Button::new(
125
                    "Stay In",
126
                    events.map(|_| GameInterfaceEvent::TellClicked(Choice::StayIn)),
127
                ),
128
                WidgetLayout::build()
129
                .left(Dimension::exact(250.))
130
                .bottom(Dimension::exact(60.))
131
                    .finish(),
132
            )
133
            .with(
134
                GameWidgets::Status,
135
                Label::new("Ready to play."),
136
                WidgetLayout::build()
137
                    .bottom(Dimension::exact(20.))
138
                    .left(Dimension::exact(20.))
139
                    .right(Dimension::exact(20.))
140
                    .finish(),
141
            )
142
            .finish()
143
    }
144

            
145
    fn initialize(component: &mut Component<Self>, context: &Context<Component<Self>>) {
146
        let _ = component
147
            .behavior
148
            .command_sender
149
            .send(DatabaseCommand::Initialize(DatabaseContext {
150
                context: context.clone(),
151
            }));
152
    }
153

            
154
    fn receive_event(
155
        component: &mut Component<Self>,
156
        event: Self::Event,
157
        context: &Context<Component<Self>>,
158
    ) {
159
        match event {
160
            GameInterfaceEvent::ChoiceClicked(choice) => {
161
                let _ = component
162
                    .behavior
163
                    .command_sender
164
                    .send(DatabaseCommand::SetChoice(choice));
165
            }
166
            GameInterfaceEvent::TellClicked(choice) => {
167
                let _ = component
168
                    .behavior
169
                    .command_sender
170
                    .send(DatabaseCommand::SetTell(choice));
171
            }
172
            GameInterfaceEvent::UpdateStatus(status) => {
173
                let label = component
174
                    .widget_state(&GameWidgets::Status, context)
175
                    .unwrap();
176
                let mut label = label.lock::<Label>(context.frontend()).unwrap();
177
                label.widget.set_label(status, &label.context);
178
            }
179
        }
180
    }
181
}
182

            
183
/// This enum identifies widgets that you want to send commands to. If a widget
184
/// doesn't need to receive commands, it doesn't need an entry in this enum.
185
#[derive(Clone, Debug, Hash, Eq, PartialEq)]
186
enum GameWidgets {
187
    GoOut,
188
    StayIn,
189
    Status,
190
    TellGoOut,
191
    TellStayIn,
192
}
193

            
194
#[derive(Debug)]
195
enum GameInterfaceEvent {
196
    ChoiceClicked(Choice),
197
    TellClicked(Choice),
198
    UpdateStatus(String),
199
}
200

            
201
/// Commands that the user interface will send to the database task.
202
enum DatabaseCommand {
203
    /// Initializes the worker with a context, which
204
    Initialize(DatabaseContext),
205
    SetChoice(Choice),
206
    SetTell(Choice),
207
}
208

            
209
/// A context provides the information necessary to communicate with the user
210
/// inteface.
211
#[derive(Clone)]
212
struct DatabaseContext {
213
    /// The context of the component.
214
    context: Context<Component<GameInterface>>,
215
}
216

            
217
async fn client() -> bonsaidb::client::Builder {
218
    cfg_if! {
219
        if #[cfg(target_arch = "wasm32")] {
220
            cfg_if!{
221
                if #[cfg(debug_assertions)] {
222
                    Client::build("ws://127.0.0.1:8080/ws".parse().unwrap())
223
                } else {
224
                    Client::build("wss://minority-game.gooey.rs/ws".parse().unwrap())
225
                }
226
            }
227
        } else {
228
            // Native
229
            cfg_if!{
230
                if #[cfg(debug_assertions)] {
231
                    let certificate = tokio::fs::read("minority-game.bonsaidb/public-certificate.der").await.unwrap();
232
                    Client::build("bonsaidb://127.0.0.1".parse().unwrap()).with_certificate(bonsaidb::client::fabruic::Certificate::from_der(certificate).unwrap())
233
                } else {
234
                    Client::build("bonsaidb://minority-game.gooey.rs".parse().unwrap())
235
                }
236
            }
237

            
238
        }
239
    }
240
}
241

            
242
/// Processes each command from `receiver` as it becomes available.
243
async fn process_database_commands(receiver: flume::Receiver<DatabaseCommand>) {
244
    let database = match receiver.recv_async().await.unwrap() {
245
        DatabaseCommand::Initialize(context) => context,
246
        _ => unreachable!(),
247
    };
248

            
249
    // Connect to the locally running server. `cargo run --package server`
250
    // launches the server.
251

            
252
    let client = client()
253
        .await
254
        .with_api_callback::<Welcome>(ApiCallback::new_with_context(
255
            database.clone(),
256
            |welcome: Welcome, database| async move {
257
                let _ = database.context.send_command(ComponentCommand::Behavior(
258
                    GameInterfaceEvent::UpdateStatus(format!(
259
                        "Welcome {}! Current happiness: {}",
260
                        welcome.player_id,
261
                        whole_percent(welcome.happiness),
262
                    )),
263
                ));
264
            },
265
        ))
266
        .with_api_callback::<RoundComplete>(ApiCallback::new_with_context(
267
            database.clone(),
268
            |api: RoundComplete, database| async move {
269
                let RoundComplete {
270
                    won,
271
                    happiness,
272
                    current_rank,
273
                    number_of_players,
274
                    number_of_liars,
275
                    number_of_tells,
276
                } = api;
277
                let _ = database.context.send_command(ComponentCommand::Behavior(GameInterfaceEvent::UpdateStatus(
278
                    format!("You {}! {}/{} players lied about their intentions. Current happiness: {}%. Ranked {} of {} players in the last round.",
279
                        if won {
280
                            "won"
281
                        } else {
282
                            "lost"
283
                        },
284
                        number_of_liars,
285
                        number_of_tells,
286
                        whole_percent(happiness),
287
                        current_rank,
288
                        number_of_players
289
                    )
290
                )));
291
            },
292
        ))
293
        .with_api_callback::<RoundPending>(ApiCallback::new_with_context(
294
            database.clone(),
295
            |api: RoundPending, database| async move {
296
                let RoundPending {
297
                    current_rank,
298
                    number_of_players,
299
                    seconds_remaining,
300
                    number_of_tells,
301
                    tells_going_out,
302
                } = api;
303
                let _ = database.context.send_command(ComponentCommand::Behavior(GameInterfaceEvent::UpdateStatus(
304
                    format!("Round starting in {} seconds! Ranked {} of {}. Current tells: {}/{} ({}%) going out.",
305
                        seconds_remaining,
306
                        current_rank,
307
                        number_of_players,
308
                        tells_going_out,
309
                        number_of_tells,
310
                        whole_percent(tells_going_out as f32 / number_of_tells as f32)
311
                    )
312
                )));
313
            },
314
        ))
315
        .finish()
316
        .expect("invalid configuration");
317

            
318
    // For each `DatabaseCommand`. The only error possible from recv_async() is
319
    // a disconnected error, which should only happen when the app is shutting
320
    // down.
321
    while let Ok(command) = receiver.recv_async().await {
322
        match command {
323
            DatabaseCommand::SetChoice(choice) => {
324
                match client.send_api_request_async(&SetChoice(choice)).await {
325
                    Ok(ChoiceSet(choice)) => {
326
                        log::info!("Choice confirmed: {:?}", choice)
327
                    }
328
                    other => {
329
                        log::error!("Error sending request: {:?}", other);
330
                    }
331
                }
332
            }
333
            DatabaseCommand::SetTell(choice) => {
334
                match client.send_api_request_async(&SetTell(choice)).await {
335
                    Ok(ChoiceSet(choice)) => {
336
                        log::info!("Tell confirmed: {:?}", choice)
337
                    }
338
                    other => {
339
                        log::error!("Error sending request: {:?}", other);
340
                    }
341
                }
342
            }
343
            DatabaseCommand::Initialize(_) => unreachable!(),
344
        }
345
    }
346
}