1
1
use std::{
2
    borrow::Cow,
3
    collections::{hash_map::Entry, HashMap},
4
    io::{stdin, Read},
5
    path::PathBuf,
6
};
7

            
8
use ariadne::{Label, Report, ReportKind};
9
use budlang::{parser::ParseError, vm::Value, Bud, Error};
10
use clap::Parser;
11
use crossterm::tty::IsTty;
12
use reedline::{
13
    FileBackedHistory, Prompt, PromptEditMode, PromptHistorySearch, PromptHistorySearchStatus,
14
    PromptViMode, Reedline, Signal, ValidationResult, Validator,
15
};
16

            
17
#[derive(Parser, Debug)]
18
struct Args {
19
    #[clap(short('f'), long)]
20
    source_file: Option<PathBuf>,
21
    eval: Option<String>,
22
}
23

            
24
macro_rules! unwrap_or_print_error_and_exit {
25
    ($result:expr, $source:expr, $source_map:ident) => {
26
        match $result {
27
            Ok(result) => result,
28
            Err(err) => {
29
                print_error($source, &mut $source_map, err)?;
30
                std::process::exit(-1);
31
            }
32
        }
33
    };
34
}
35

            
36
macro_rules! unwrap_or_print_error {
37
    ($result:expr, $source:expr, $source_map:ident) => {
38
        match $result {
39
            Ok(result) => result,
40
            Err(err) => {
41
                print_error($source, &mut $source_map, err)?;
42
                continue;
43
            }
44
        }
45
    };
46
}
47

            
48
8
fn main() -> anyhow::Result<()> {
49
8
    let mut bud = Bud::empty();
50
8

            
51
8
    let args = Args::parse();
52
8
    let mut source_cache = SourceCache::default();
53
8
    if let Some(file) = args.source_file {
54
2
        let source = std::fs::read_to_string(&file)?;
55
2
        let source_id = SourceId::File(file);
56
2
        source_cache.register(&source_id, &source);
57
2
        let value = unwrap_or_print_error_and_exit!(
58
2
            bud.run_source::<Value>(&source),
59
            &source_id,
60
            source_cache
61
        );
62
2
        print_value(false, &value);
63
6
    }
64

            
65
8
    let is_interactive = stdin().is_tty();
66

            
67
8
    if let Some(eval) = args.eval {
68
6
        source_cache.register(&SourceId::CommandLine, &eval);
69
6
        let value = unwrap_or_print_error_and_exit!(
70
6
            bud.run_source::<Value>(&eval),
71
            &SourceId::CommandLine,
72
            source_cache
73
        );
74
6
        print_value(false, &value);
75
6

            
76
6
        // If we are on an interactive shell, running a command should exit
77
6
        // immediately. If we aren't on an interactive shell, we should process
78
6
        // the piped program.
79
6
        if is_interactive {
80
            return Ok(());
81
6
        }
82
2
    };
83

            
84
    // Check for st
85
8
    if is_interactive {
86
        let config_dir = dirs::config_dir().unwrap_or_else(|| PathBuf::from("test"));
87
        let bud_dir = config_dir.join("bud");
88
        if !bud_dir.exists() {
89
            std::fs::create_dir_all(&bud_dir)?;
90
        }
91
        let history = Box::new(
92
            FileBackedHistory::with_file(100, bud_dir.join("history.txt"))
93
                .expect("Error configuring history with file"),
94
        );
95
        let mut line_editor = Reedline::create()
96
            .with_history(history)
97
            .with_validator(Box::new(BudValidator));
98
        let mut counter = 1;
99

            
100
        loop {
101
            let sig = line_editor.read_line(&BudPrompt(counter));
102
            match sig {
103
                Ok(Signal::Success(buffer)) => {
104
                    let source_id = SourceId::Counter(counter);
105
                    counter += 1;
106
                    source_cache.register(&source_id, &buffer);
107
                    // let source = unwrap_or_print_error!(
108
                    //     Source::parse(source_id, &buffer, runtime.pool()),
109
                    //     source_cache
110
                    // );
111
                    let result =
112
                        unwrap_or_print_error!(bud.evaluate(&buffer), &source_id, source_cache);
113

            
114
                    print_value(true, &result);
115
                }
116
                Ok(Signal::CtrlD) | Ok(Signal::CtrlC) => {
117
                    break Ok(());
118
                }
119
                x => {
120
                    println!("Event: {:?}", x);
121
                }
122
            }
123
        }
124
    } else {
125
8
        let mut piped = String::new();
126
8
        stdin().read_to_string(&mut piped)?;
127
8
        if !piped.is_empty() {
128
4
            let result = bud.evaluate::<Value>(&piped).unwrap();
129
4
            print_value(false, &result);
130
4
        }
131

            
132
8
        Ok(())
133
    }
134
8
}
135

            
136
12
fn print_value(is_interactive: bool, value: &Value) {
137
12
    if !matches!(value, Value::Void) {
138
10
        if is_interactive {
139
            println!("> {value}");
140
10
        } else {
141
10
            println!("{value}");
142
10
        }
143
2
    }
144
12
}
145

            
146
struct BudValidator;
147

            
148
impl Validator for BudValidator {
149
    fn validate(&self, line: &str) -> ValidationResult {
150
        match budlang::parser::parse(line) {
151
            Err(
152
                ParseError::MissingEnd { .. }
153
                | ParseError::UnexpectedEof(_)
154
                | ParseError::ExpectedEndOfLine { .. },
155
            ) => ValidationResult::Incomplete,
156

            
157
            _ => ValidationResult::Complete,
158
        }
159
    }
160
}
161

            
162
8
#[derive(Debug, Eq, PartialEq, Ord, PartialOrd, Clone, Hash)]
163
enum SourceId {
164
    Counter(u64),
165
    File(PathBuf),
166
    CommandLine,
167
}
168

            
169
8
#[derive(Default)]
170
struct SourceCache {
171
    entries: HashMap<SourceId, ariadne::Source>,
172
}
173

            
174
impl SourceCache {
175
8
    pub fn register(&mut self, source: &SourceId, contents: &str) {
176
8
        self.entries
177
8
            .insert(source.clone(), ariadne::Source::from(contents));
178
8
    }
179
}
180

            
181
impl ariadne::Cache<SourceId> for SourceCache {
182
    fn fetch(&mut self, id: &SourceId) -> Result<&ariadne::Source, Box<dyn std::fmt::Debug + '_>> {
183
        match self.entries.entry(id.clone()) {
184
            Entry::Occupied(cached) => Ok(cached.into_mut()),
185
            Entry::Vacant(entry) => {
186
                if let SourceId::File(path) = id {
187
                    let contents = std::fs::read_to_string(path).unwrap(); // TODO this should be able to be boxed somehow
188
                    let source = ariadne::Source::from(contents);
189
                    Ok(entry.insert(source))
190
                } else {
191
                    unreachable!("unknown source id {id:?}")
192
                }
193
            }
194
        }
195
    }
196

            
197
    fn display<'a>(&self, id: &'a SourceId) -> Option<Box<dyn std::fmt::Display + 'a>> {
198
        match id {
199
            SourceId::Counter(number) => Some(Box::new(format!("({number})"))),
200
            SourceId::File(path) => Some(Box::new(path.display())),
201
            SourceId::CommandLine => Some(Box::new("(cli)")),
202
        }
203
    }
204
}
205

            
206
fn print_error(
207
    source: &SourceId,
208
    cache: &mut SourceCache,
209
    error: Error<'_, (), Value>,
210
) -> anyhow::Result<()> {
211
    if let Some(range) = error.location() {
212
        let mut report = Report::build(ReportKind::Error, source.clone(), range.start);
213
        report.add_label(Label::new((source.clone(), range)).with_message(error.to_string()));
214
        report
215
            .with_config(
216
                ariadne::Config::default()
217
                    .with_label_attach(ariadne::LabelAttach::Start)
218
                    .with_underlines(false),
219
            )
220
            .finish()
221
            .eprint(cache)?;
222
    } else {
223
        eprintln!("Error: {error}");
224
    }
225
    Ok(())
226
}
227

            
228
pub static DEFAULT_PROMPT_INDICATOR: &str = ") ";
229
pub static DEFAULT_VI_INSERT_PROMPT_INDICATOR: &str = ": ";
230
pub static DEFAULT_VI_NORMAL_PROMPT_INDICATOR: &str = ") ";
231
pub static DEFAULT_MULTILINE_INDICATOR: &str = "::: ";
232

            
233
#[derive(Clone)]
234
struct BudPrompt(u64);
235

            
236
impl Prompt for BudPrompt {
237
    fn render_prompt_left(&self) -> Cow<str> {
238
        Cow::Owned(self.0.to_string())
239
    }
240

            
241
    fn render_prompt_right(&self) -> Cow<str> {
242
        Cow::Borrowed("")
243
    }
244

            
245
    fn render_prompt_indicator(&self, edit_mode: PromptEditMode) -> Cow<str> {
246
        match edit_mode {
247
            PromptEditMode::Default | PromptEditMode::Emacs => DEFAULT_PROMPT_INDICATOR.into(),
248
            PromptEditMode::Vi(vi_mode) => match vi_mode {
249
                PromptViMode::Normal => DEFAULT_VI_NORMAL_PROMPT_INDICATOR.into(),
250
                PromptViMode::Insert => DEFAULT_VI_INSERT_PROMPT_INDICATOR.into(),
251
            },
252
            PromptEditMode::Custom(str) => format!("({})", str).into(),
253
        }
254
    }
255

            
256
    fn render_prompt_multiline_indicator(&self) -> Cow<str> {
257
        Cow::Borrowed(DEFAULT_MULTILINE_INDICATOR)
258
    }
259

            
260
    fn render_prompt_history_search_indicator(
261
        &self,
262
        history_search: PromptHistorySearch,
263
    ) -> Cow<str> {
264
        let prefix = match history_search.status {
265
            PromptHistorySearchStatus::Passing => "",
266
            PromptHistorySearchStatus::Failing => "failing ",
267
        };
268
        // NOTE: magic strings, given there is logic on how these compose I am not sure if it
269
        // is worth extracting in to static constant
270
        Cow::Owned(format!(
271
            "({}reverse-search: {}) ",
272
            prefix, history_search.term
273
        ))
274
    }
275
}