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
use parser::{CmdlineParse, ParseError, ParseErrorKind, Result};
use tokenizer::Tokenizer;
use tracing::{error, info};

use crate::{multiboot2::MultiBoot2Info, sync::once::OnceLock};

mod macros;
mod parser;
mod tokenizer;

static CMDLINE: OnceLock<Cmd> = OnceLock::new();

fn parse_cmdline(inp: &str) -> Result<Cmd> {
    let mut tokenizer = Tokenizer::new(inp);
    Cmd::parse_cmdline(&mut tokenizer)
}

const fn default_cmdline() -> Cmd<'static> {
    Cmd {
        uart: true,
        uart_baud: 115200,
        max_log_level: LogLevel::Info,
        log_file: "/kernel.log",
        allow_hpet: true,
        log_aml: LogAml::Off,
    }
}

pub fn init(multiboot_info: &'static MultiBoot2Info) {
    let cmdline = multiboot_info
        .cmdline()
        .and_then(|cmdline| {
            // we will print the result later if there is an error
            parse_cmdline(cmdline).ok()
        })
        .unwrap_or(default_cmdline());

    CMDLINE.set(cmdline).expect("Should only be called once");
}

/// This is extra work, but it's done purely for debugging purposes
pub fn print_cmdline_parse(multiboot_info: &MultiBoot2Info) {
    if let Some(cmdline) = multiboot_info.cmdline() {
        let parsed = parse_cmdline(cmdline);
        info!("Command line: {cmdline:?}");
        match parsed {
            Ok(parsed) => info!("Parsed command line: {parsed:?}"),
            Err(e) => error!("Failed to parse command line: {e:?}"),
        }
    };
}

pub fn cmdline() -> &'static Cmd<'static> {
    // if we didn't initialize, we will use the default (applies for `test`)
    CMDLINE.get_or_init(default_cmdline)
}

#[macro_rules_attribute::apply(macros::cmdline_struct!)]
#[derive(Debug)]
pub struct Cmd<'a> {
    /// Enable the UART
    #[default = true]
    pub uart: bool,
    /// UART baudrate
    #[default = 115200]
    pub uart_baud: u32,
    /// Log level
    #[default = LogLevel::Info]
    pub max_log_level: LogLevel,
    /// Log file
    #[default = "/kernel.log"]
    pub log_file: &'a str,
    /// Allow `HPET` (if present), otherwise always use `PIT`
    #[default = true]
    pub allow_hpet: bool,
    /// Log the AML content as ASL code on boot from ACPI tables
    #[default = LogAml::Off]
    pub log_aml: LogAml,
}

#[derive(Default, Debug, Clone, Copy)]
pub enum LogLevel {
    Trace,
    Debug,
    #[default]
    Info,
    Warn,
    Error,
}

impl From<LogLevel> for tracing::Level {
    fn from(val: LogLevel) -> Self {
        match val {
            LogLevel::Trace => tracing::Level::TRACE,
            LogLevel::Debug => tracing::Level::DEBUG,
            LogLevel::Info => tracing::Level::INFO,
            LogLevel::Warn => tracing::Level::WARN,
            LogLevel::Error => tracing::Level::ERROR,
        }
    }
}

impl<'a> CmdlineParse<'a> for LogLevel {
    fn parse_cmdline(tokenizer: &mut Tokenizer<'a>) -> Result<'a, Self> {
        let (loc, value) = tokenizer.next_value().ok_or_else(|| {
            ParseError::new(
                ParseErrorKind::Unexpected {
                    need: "trace/debug/info/warn/error",
                    got: None,
                },
                tokenizer.current_index(),
            )
        })?;

        match value {
            "trace" => Ok(Self::Trace),
            "debug" => Ok(Self::Debug),
            "info" => Ok(Self::Info),
            "warn" => Ok(Self::Warn),
            "error" => Ok(Self::Error),
            _ => Err(ParseError::new(
                ParseErrorKind::Unexpected {
                    need: "trace/debug/info/warn/error",
                    got: Some(value),
                },
                loc,
            )),
        }
    }
}

#[derive(Default, Debug, Clone, Copy)]
pub enum LogAml {
    /// Do not print the ASL content
    #[default]
    Off,
    /// Print the ASL content as parsed, without moving anything
    Normal,
    /// Reorgnize the content of the ASL code to be in an easier structure
    /// to work with and treverse
    Structured,
}

impl<'a> CmdlineParse<'a> for LogAml {
    fn parse_cmdline(tokenizer: &mut Tokenizer<'a>) -> Result<'a, Self> {
        let (loc, value) = tokenizer.next_value().ok_or_else(|| {
            ParseError::new(
                ParseErrorKind::Unexpected {
                    need: "off/normal/structured",
                    got: None,
                },
                tokenizer.current_index(),
            )
        })?;

        match value {
            "off" => Ok(Self::Off),
            "normal" => Ok(Self::Normal),
            "structured" => Ok(Self::Structured),
            _ => Err(ParseError::new(
                ParseErrorKind::Unexpected {
                    need: "off/normal/structured",
                    got: Some(value),
                },
                loc,
            )),
        }
    }
}