aboutsummaryrefslogtreecommitdiff
path: root/examples/text-adventure/side_effects.rs
blob: 379ed5d2bf7addfc560a5f8bcfb4d3d53dad4f46 (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
//! this module interprets the domain specific language as a text adventure.

use crate::dsl::FreeSausageRoll;

pub fn run<'a, 's: 'a>(mut game: FreeSausageRoll<'a, 's, ()>) -> std::io::Result<()> {
    //this function doesn't know who it is, or why it is here. It only knows it must deal.
    //Deal with the few commands in the eDSL and nothing more.

    //This would be easier to write recursively. However, in an actual project this might run for quite some time.
    //Since we operate on the stack, let's rather be safe than sorry, and use a loop instead of recursion therefore.
    while let FreeSausageRoll::Free(command) = game {
        game = match *command {
            crate::dsl::SausageRoll::SayDialogueLine {
                speaker,
                text,
                mood,
                next,
            } => {
                println!(
                    "{} says: \"{text}\" with {} on their face.",
                    speaker.text_description(),
                    mood.text_description()
                );
                next
            }
            crate::dsl::SausageRoll::GivePlayerOptions { options, next } => {
                println!("Your options are:");
                for (id, option) in options.iter().enumerate().map(|(i, o)| (i + 1, o)) {
                    println!("{id}: {option}");
                }

                let mut input = String::new();
                let mut chosen;
                while {
                    input.clear();
                    std::io::stdin().read_line(&mut input)?;
                    chosen = input
                        .trim()
                        .parse()
                        .ok()
                        .filter(|o: &usize| *o > 0 && *o <= options.len());
                    chosen.is_none()
                } {
                    println!("Invalid choice. Please select one of the options given above.");
                }
                println!();
                next(chosen.unwrap() - 1)
            }
            crate::dsl::SausageRoll::PresentLocation { location, next } => {
                println!("{}", location.get_text_description());
                next
            }
            crate::dsl::SausageRoll::Exposition { text, next } => {
                println!("{text}");
                next
            }
        };
    }
    std::io::Result::Ok(())
}