summaryrefslogtreecommitdiffstats
path: root/src/poem/recite.rs
blob: 1d41c40786f7fca9cb37f7003d22807f8553ff8c (plain)
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
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
mod ps;
use super::Poem;
use crate::path::prefresh;
use crate::poem::elements::rune::Rune;
use std::env;
use std::process::exit;
use std::{
    io,
    path::Path,
    sync::{Arc, Mutex},
};

pub trait Reciteable {
    fn recite(
        &self,
        path: &Vec<&Path>,
        bins: &mut Vec<String>,
        stdout: Option<bool>,
    ) -> Result<String, io::Error>;
}

impl Reciteable for Poem {
    fn recite(
        &self,
        path: &Vec<&Path>,
        bins: &mut Vec<String>,
        stdout: Option<bool>,
    ) -> Result<String, io::Error> {
        // Should we print to stdout or always capture it
        let stdout = stdout.unwrap_or(true);

        // Variable for storing the output of a piped verse
        let mut out: String = String::new();

        // Keep track of pids for background processes
        let mut pids: Arc<Mutex<Vec<i32>>> = Arc::new(Mutex::new(Vec::new()));

        // Loop through each verse in the poem
        for verse in self.iter() {
            // Verse may need to be mutable
            let mut verse = verse.clone();

            // Check for environment variables
            for word in verse.stanza.iter_mut() {
                while word.contains("$") {
                    let mut name = vec![];
                    let mut idx = word.chars().position(|c| c == '$').unwrap() + 1;
                    let bytes = word.as_bytes();
                    while idx < word.len() {
                        let c = bytes[idx] as char;
                        if !c.is_alphanumeric() {
                            break;
                        }
                        name.push(c);
                        idx += 1;
                    }
                    let name: String = format!("${}", name.iter().collect::<String>());
                    let envar = name[1..].to_string();
                    let envar = match env::var(envar) {
                        Ok(envar) => envar.to_string(),
                        Err(_) => "".to_string(),
                    };
                    *word = word.replace(name.as_str(), envar.as_str());
                }
            }

            // Run interal poems
            let v = verse.clone();
            let mut new_stanza = None;
            if verse.poems() {
                // Collect all the words that have vertical tabs
                let mut wordp_indicies = vec![];
                let wordps = verse
                    .stanza
                    .iter_mut()
                    .enumerate()
                    .filter(|(_, w)| w.contains("\x0b"))
                    .map(|(i, w)| {
                        wordp_indicies.push(i + 1);
                        w
                    })
                    .collect::<Vec<&mut String>>();

                // Loop through each word and replace with the output of the poem
                let mut poems = verse.poems.iter();
                let mut j = 0;
                for wordp in wordps {
                    let times = wordp
                        .chars()
                        .filter(|c| c == &'\x0b')
                        .collect::<String>()
                        .len();
                    for _ in 0..times {
                        let poem = match poems.next() {
                            Some(poem) => poem,
                            None => break, // TODO: Return an error
                        };
                        let out = poem.recite(path, bins, Some(false))?;
                        if out.contains("\n") {
                            let mut out = out.split("\n");
                            let next = out.next().unwrap_or("").trim();
                            *wordp = wordp.replacen("\x0b", next, 1).to_string();
                            let (_, right) = v.stanza.split_at(wordp_indicies[j]);
                            let mut left = vec![];
                            let mut right = right.to_vec();
                            loop {
                                let next = match out.next() {
                                    Some(next) => next,
                                    None => break,
                                }
                                .to_string();
                                left.push(next);
                            }
                            left.append(&mut right);
                            new_stanza = Some(left.clone());
                        } else {
                            *wordp = wordp.replacen("\x0b", out.as_str(), 1).to_string();
                        }
                    }
                    j += 1;
                }
            }

            match new_stanza {
                Some(stanza) => {
                    let mut stanza = stanza.clone();
                    verse.stanza.append(&mut stanza);
                }
                None => {}
            }

            // Check if the user wants to exit the shell
            if verse.verb() == "exit" || verse.verb() == "quit" {
                exit(0);
            }

            // Check if the user wants to change directories
            if verse.verb() == "cd" {
                let path = match verse.clause() {
                    Some(path) => path[0].to_string(),
                    None => env!("HOME").to_string(),
                };

                match std::env::set_current_dir(&path) {
                    Ok(_) => continue,
                    Err(e) => {
                        eprintln!(
                            "cd: unable to change into {}: {}",
                            path,
                            e.to_string().to_lowercase()
                        );
                        continue;
                    }
                }
            }

            // Check if the verb exists
            // If it doesn't exist, try refreshing the binary cache, and check
            // again
            // If it still doesn't exist, print an error
            if !verse.spellcheck(bins) {
                *bins = prefresh(path);
                if !verse.spellcheck(bins) {
                    eprintln!("dwvsh: {}: command not found", verse.verb());

                    if verse.meter != Rune::And {
                        continue;
                    }
                }
            }

            // Incant the verse, based on its meter
            let status = if stdout {
                match verse.io {
                    Rune::Read => Rune::incant_read(&mut verse, &mut out, &mut pids)?,
                    Rune::Write => Rune::incant_write(&mut verse, &mut out, &mut pids)?,
                    Rune::Addendum => Rune::incant_addendum(&mut verse, &mut out, &mut pids)?,
                    _ => match verse.meter {
                        Rune::None => Rune::incant_none(&verse, &mut out)?,
                        Rune::Couplet => Rune::incant_couplet(&verse, &mut out)?,
                        Rune::Quiet => Rune::incant_quiet(&verse, &mut out, &mut pids)?,
                        Rune::And => Rune::incant_and(&verse, &mut out)?,
                        Rune::Continue => Rune::incant_continue(&verse, &mut out)?,
                        _ => unreachable!(),
                    },
                }
            } else {
                match verse.io {
                    Rune::Read => Rune::incant_read(&mut verse, &mut out, &mut pids)?,
                    Rune::Write => Rune::incant_write(&mut verse, &mut out, &mut pids)?,
                    Rune::Addendum => Rune::incant_addendum(&mut verse, &mut out, &mut pids)?,
                    _ => Rune::incant_couplet(&verse, &mut out)?,
                }
            };

            // Break from the loop if the meter is not [Rune::Continue], and
            // if the status is not 0
            // For [Rune::Quiet], [Rune::incant_quiet] will always return 0
            if verse.meter != Rune::Continue && status != 0 {
                break;
            }
        }

        // If we've successfully exited the loop, then all verses were properly
        // recited
        Ok(out.trim().to_string())
    }
}