summaryrefslogtreecommitdiff
path: root/support/texlab/src/tex/compile.rs
blob: a2b0d2f37d6247de0d0b33441644c2faa786f49a (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
use std::{io, process::Stdio, time::Duration};
use tempfile::{tempdir, TempDir};
use thiserror::Error;
use tokio::{
    fs,
    process::Command,
    time::{timeout, Elapsed},
};

#[derive(Debug, PartialEq, Eq, Clone, Copy)]
pub enum Format {
    Latex,
    Pdflatex,
    Xelatex,
    Lualatex,
}

impl Format {
    pub fn executable(self) -> &'static str {
        match self {
            Self::Latex => "latex",
            Self::Pdflatex => "pdflatex",
            Self::Xelatex => "xelatex",
            Self::Lualatex => "lualatex",
        }
    }
}

#[derive(Debug)]
pub struct Artifacts {
    pub dir: TempDir,
    pub log: String,
}

#[derive(Debug, Error)]
pub enum CompileError {
    #[error("an I/O error occurred: `{0}`")]
    IO(#[from] io::Error),
    #[error("TeX engine is not installed")]
    NotInstalled,
    #[error("build timeout: `{0}`")]
    Timeout(#[from] Elapsed),
}

#[derive(Debug, PartialEq, Eq, Clone, Copy)]
pub struct CompileParams<'a> {
    pub format: Format,
    pub file_name: &'a str,
    pub code: &'a str,
    pub timeout: Duration,
}

impl<'a> Default for CompileParams<'a> {
    fn default() -> Self {
        Self {
            format: Format::Lualatex,
            file_name: "code.tex",
            code: "",
            timeout: Duration::from_secs(15),
        }
    }
}

#[derive(Debug, Clone, Copy)]
pub struct Compiler<'a> {
    pub executable: &'a str,
    pub args: &'a [&'a str],
    pub file_name: &'a str,
    pub timeout: Duration,
}

impl<'a> Compiler<'a> {
    pub async fn compile<'b>(&'a self, code: &'b str) -> Result<Artifacts, CompileError> {
        let directory = tempdir()?;
        let tex_file = directory.path().join(self.file_name);
        fs::write(&tex_file, code).await?;

        let child = Command::new(self.executable)
            .args(self.args)
            .current_dir(&directory)
            .stdout(Stdio::null())
            .stderr(Stdio::null())
            .status();

        timeout(self.timeout, child)
            .await?
            .map_err(|_| CompileError::NotInstalled)?;

        let log_file = tex_file.with_extension("log");
        let log_bytes = fs::read(log_file).await?;
        let log = String::from_utf8_lossy(&log_bytes).into_owned();
        Ok(Artifacts {
            dir: directory,
            log,
        })
    }
}