mod_installer/config/
parser_config.rs

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
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
use crate::state::State;

use serde_derive::{Deserialize, Serialize};

pub(crate) const PARSER_CONFIG_LOCATION: &str = "parser";

#[derive(Debug, PartialEq, Serialize, Deserialize)]
pub(crate) struct ParserConfig {
    pub(crate) in_progress_words: Vec<String>,
    pub(crate) useful_status_words: Vec<String>,
    pub(crate) choice_words: Vec<String>,
    pub(crate) choice_phrase: Vec<String>,
    pub(crate) completed_with_warnings: String,
    pub(crate) failed_with_error: String,
    pub(crate) finished: String,
    pub(crate) eet_finished: String,
}

impl Default for ParserConfig {
    fn default() -> Self {
        Self {
            in_progress_words: vec!["installing".to_string(), "creating".to_string()],
            useful_status_words: vec![
                "copied".to_string(),
                "copying".to_string(),
                "creating".to_string(),
                "installed".to_string(),
                "installing".to_string(),
                "patched".to_string(),
                "patching".to_string(),
                "processed".to_string(),
                "processing".to_string(),
            ],
            choice_words: vec![
                "choice".to_string(),
                "choose".to_string(),
                "select".to_string(),
                "enter".to_string(),
            ],
            choice_phrase: vec!["do you want".to_string(), "would you like".to_string()],
            completed_with_warnings: "installed with warnings".to_string(),
            failed_with_error: "not installed due to errors".to_string(),
            finished: "successfully installed".to_string(),
            eet_finished: "process ended".to_string(),
        }
    }
}

impl ParserConfig {
    pub fn string_looks_like_question(&self, weidu_output: &str) -> bool {
        let comparable_output = weidu_output.trim().to_ascii_lowercase();
        // installing|creating
        for progress_word in self.in_progress_words.iter() {
            if comparable_output.contains(progress_word) {
                return false;
            }
        }

        for question in self.choice_phrase.iter() {
            if comparable_output.contains(question) {
                return true;
            }
        }

        for question in self.choice_words.iter() {
            for word in comparable_output.split_whitespace() {
                if word
                    .chars()
                    .filter(|c| c.is_alphabetic())
                    .collect::<String>()
                    == *question
                {
                    return true;
                }
            }
        }

        false
    }

    pub fn detect_weidu_finished_state(&self, weidu_output: &str) -> Option<State> {
        let comparable_output = weidu_output.trim().to_lowercase();
        if comparable_output.contains(&self.failed_with_error) {
            Some(State::CompletedWithErrors {
                error_details: comparable_output,
            })
        } else if comparable_output.contains(&self.completed_with_warnings) {
            Some(State::CompletedWithWarnings)
        } else if comparable_output.contains(&self.finished)
            || comparable_output.contains(&self.eet_finished)
        {
            Some(State::Completed)
        } else {
            None
        }
    }
}

#[cfg(test)]
mod tests {

    use super::*;
    use pretty_assertions::assert_eq;
    use std::{error::Error, path::Path, result::Result};

    #[test]
    fn test_exit_warnings() -> Result<(), Box<dyn Error>> {
        let config = ParserConfig::default();
        let test = "INSTALLED WITH WARNINGS     Additional equipment for Thieves and Bards";
        assert_eq!(config.string_looks_like_question(test), false);
        assert_eq!(
            config.detect_weidu_finished_state(test),
            Some(State::CompletedWithWarnings)
        );
        Ok(())
    }

    #[test]
    fn test_exit_success() -> Result<(), Box<dyn Error>> {
        let config = ParserConfig::default();
        let test = "SUCCESSFULLY INSTALLED      Jan's Extended Quest";
        assert_eq!(config.string_looks_like_question(test), false);
        assert_eq!(
            config.detect_weidu_finished_state(test),
            Some(State::Completed)
        );
        Ok(())
    }

    #[test]
    fn is_not_question() -> Result<(), Box<dyn Error>> {
        let config = ParserConfig::default();
        let test = "Creating epilogues. Too many epilogues... Why are there so many options here?";
        assert_eq!(config.string_looks_like_question(test), false);
        let test = "Including file(s) spellchoices_defensive/vanilla/ENCHANTER.TPH";
        assert_eq!(config.string_looks_like_question(test), false);
        Ok(())
    }

    #[test]
    fn is_a_question() -> Result<(), Box<dyn Error>> {
        let config = ParserConfig::default();
        let tests = vec!["Enter the full path to your Baldur's Gate installation then press Enter.", "Enter the full path to your BG:EE+SoD installation then press Enter.\
Example: C:\\Program Files (x86)\\BeamDog\\Games\\00806", "[N]o, [Q]uit or choose one:", "Please enter the chance for items to randomly not be randomised as a integet number (e.g. 10 for 10%)"];
        for question in tests {
            assert_eq!(
                config.string_looks_like_question(question),
                true,
                "String {} doesn't look like a question",
                question
            );
        }
        Ok(())
    }

    #[test]
    fn is_not_a_question() -> Result<(), Box<dyn Error>> {
        let config = ParserConfig::default();
        let tests = vec![
            "FAILURE:",
            "NOT INSTALLED DUE TO ERRORS The BG1 NPC Project: Required Modifications",
        ];
        for question in tests {
            assert_eq!(
                config.string_looks_like_question(question),
                false,
                "String {} does look like a question",
                question
            );
        }
        Ok(())
    }

    #[test]
    fn load_config() -> Result<(), Box<dyn Error>> {
        let root = std::env::current_dir()?;
        let config_path = Path::join(&root, Path::new("example_config.toml"));
        let config: ParserConfig = confy::load_path(config_path)?;
        let expected = ParserConfig::default();
        assert_eq!(expected, config);
        Ok(())
    }
}