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 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548
pub mod tracing;
mod vga_graphics;
mod vga_text;
use core::{
cell::RefCell,
fmt::{self, Write},
};
use alloc::{boxed::Box, string::String, sync::Arc};
use crate::{
devices::{
self,
keyboard_mouse::{self, KeyboardReader},
Device,
},
fs::FileSystemError,
multiboot2::{self, FramebufferColorInfo},
sync::spin::remutex::ReMutex,
};
use self::{vga_graphics::VgaGraphics, vga_text::VgaText};
use super::uart::{Uart, UartPort};
// SAFETY: the console is only used inside a lock or mutex
static mut CONSOLE: ConsoleController = ConsoleController::empty_early();
/// # SAFETY
/// the caller must assure that this is not called while not being initialized
/// at the same time
pub(super) fn run_with_console<F, U>(mut f: F) -> U
where
F: FnMut(&mut dyn core::fmt::Write) -> U,
{
// SAFETY: printing is done after initialization steps and not at the same time
// look at `io::_print`
unsafe { CONSOLE.run_with(|c| f(c)) }
}
/// Create an early console, this is used before the kernel heap is initialized
pub fn early_init() {
// SAFETY: we are running this initialization at the very startup,
// without printing anything at the same time since we are only
// running 1 CPU at the time
unsafe { CONSOLE.init_early() };
}
/// Create a late console, this is used after the kernel heap is initialized
/// And also assign a console device
pub fn init_late_device(framebuffer: Option<multiboot2::Framebuffer>) {
// SAFETY: we are running this initialization at `kernel_main` and its done alone
// without printing anything at the same time since we are only
// running 1 CPU at the time
// We are also sure that no one is printing at this time
let device = unsafe {
CONSOLE.init_late(framebuffer);
// Must have a device
CONSOLE.late_device().unwrap()
};
devices::register_device(device);
}
#[allow(dead_code)]
pub fn start_capture() -> Option<String> {
// SAFETY: we are sure that the console is initialized
unsafe { CONSOLE.run_with(|c| c.start_capture()) }
}
#[allow(dead_code)]
pub fn stop_capture() -> Option<String> {
// SAFETY: we are sure that the console is initialized
unsafe { CONSOLE.run_with(|c| c.stop_capture()) }
}
fn create_video_console(framebuffer: Option<multiboot2::Framebuffer>) -> Box<dyn VideoConsole> {
match framebuffer {
Some(framebuffer) => match framebuffer.color_info {
FramebufferColorInfo::Indexed { .. } => todo!(),
FramebufferColorInfo::Rgb { .. } => {
// assumes we have already initialized the vga display
Box::new(VgaGraphics::new())
}
FramebufferColorInfo::EgaText => Box::new(VgaText::new(framebuffer)),
},
None => panic!("No framebuffer provided"),
}
}
#[derive(Debug, Clone, Copy)]
#[repr(u8)]
enum AnsiColor {
Black = 0,
Red,
Green,
Yellow,
Blue,
Magenta,
Cyan,
White,
BrightBlack,
BrightRed,
BrightGreen,
BrightYellow,
BrightBlue,
BrightMagenta,
BrightCyan,
BrightWhite,
}
impl AnsiColor {
fn from_u8(color: u8) -> Self {
match color {
0 => Self::Black,
1 => Self::Red,
2 => Self::Green,
3 => Self::Yellow,
4 => Self::Blue,
5 => Self::Magenta,
6 => Self::Cyan,
7 => Self::White,
8 => Self::BrightBlack,
9 => Self::BrightRed,
10 => Self::BrightGreen,
11 => Self::BrightYellow,
12 => Self::BrightBlue,
13 => Self::BrightMagenta,
14 => Self::BrightCyan,
15 => Self::BrightWhite,
_ => panic!("Invalid color"),
}
}
}
#[derive(Debug, Clone, Copy)]
struct VideoConsoleAttribute {
foreground: AnsiColor,
background: AnsiColor,
bold: bool,
faint: bool,
}
impl Default for VideoConsoleAttribute {
fn default() -> Self {
Self {
foreground: AnsiColor::White,
background: AnsiColor::Black,
bold: false,
faint: false,
}
}
}
trait VideoConsole: Send + Sync {
fn init(&mut self);
fn set_attrib(&mut self, attrib: VideoConsoleAttribute);
fn write_byte(&mut self, c: u8);
fn backspace(&mut self);
}
trait Console: Write {
fn write(&mut self, src: &[u8]) -> usize;
fn read(&mut self, dst: &mut [u8]) -> usize;
#[must_use]
fn start_capture(&mut self) -> Option<String>;
fn stop_capture(&mut self) -> Option<String>;
}
#[allow(clippy::large_enum_variant)]
pub(super) enum ConsoleController {
Early(ReMutex<RefCell<EarlyConsole>>),
Late(Arc<ReMutex<RefCell<LateConsole>>>),
}
impl ConsoleController {
const fn empty_early() -> Self {
// SAFETY: this is only called once on static context so nothing is running
Self::Early(ReMutex::new(RefCell::new(EarlyConsole::empty())))
}
fn init_early(&self) {
match self {
Self::Early(console) => {
let console = console.lock();
console.borrow_mut().init();
}
Self::Late(_) => {
panic!("Unexpected late console");
}
}
}
/// # SAFETY
/// Must ensure that there is no console is being printed to/running at the same time
unsafe fn init_late(&mut self, framebuffer: Option<multiboot2::Framebuffer>) {
match self {
Self::Early(console) => {
let video_console = create_video_console(framebuffer);
// take the uart, replace the old one with dummy uart
let uart = core::mem::replace(
&mut console.get_mut().get_mut().uart,
Uart::new(UartPort::COM1),
);
// SAFETY: we are relying on the caller calling this function alone
// since we are taking ownership of the early console, and we are sure that
// it's not being used anywhere, this is fine
let late_console = LateConsole::new(uart, video_console);
*self = Self::Late(Arc::new(ReMutex::new(RefCell::new(late_console))));
}
Self::Late(_) => {
panic!("Unexpected late console");
}
}
}
fn late_device(&self) -> Option<Arc<ReMutex<RefCell<LateConsole>>>> {
match self {
Self::Early(_) => None,
Self::Late(console) => Some(console.clone()),
}
}
fn run_with<F, U>(&self, mut f: F) -> U
where
F: FnMut(&mut dyn Console) -> U,
{
let ret = match self {
ConsoleController::Early(console) => {
let console = console.lock();
let x = if let Ok(mut c) = console.try_borrow_mut() {
Some(f(&mut *c))
} else {
None
};
x
}
// we have to use another branch because the types are different
// even though we use same function calls
ConsoleController::Late(console) => {
let console = console.lock();
let x = if let Ok(mut c) = console.try_borrow_mut() {
Some(f(&mut *c))
} else {
None
};
x
}
};
if let Some(ret) = ret {
ret
} else {
// if we can't get the lock, we are inside `panic`
// create a new early console and print to it
let mut console = EarlyConsole::empty();
console.init();
f(&mut console)
}
}
}
pub(super) struct EarlyConsole {
uart: Uart,
capture: Option<String>,
}
impl EarlyConsole {
pub const fn empty() -> Self {
Self {
uart: Uart::new(UartPort::COM1),
capture: None,
}
}
pub fn init(&mut self) {
self.uart.init();
}
fn write_byte(&mut self, byte: u8) {
// Safety: we are sure that the uart is initialized
unsafe { self.uart.write_byte(byte) };
}
}
impl Write for EarlyConsole {
fn write_str(&mut self, s: &str) -> core::fmt::Result {
self.write(s.as_bytes());
Ok(())
}
}
impl Console for EarlyConsole {
fn write(&mut self, src: &[u8]) -> usize {
if let Some(capture) = &mut self.capture {
capture.push_str(core::str::from_utf8(src).expect("Non-UTF8"));
} else {
for &c in src {
self.write_byte(c);
}
}
src.len()
}
fn read(&mut self, _dst: &mut [u8]) -> usize {
// we can't read from early console
0
}
fn start_capture(&mut self) -> Option<String> {
self.capture.replace(String::new())
}
fn stop_capture(&mut self) -> Option<String> {
self.capture.take()
}
}
pub(super) struct LateConsole {
uart: Uart,
video_console: Box<dyn VideoConsole>,
keyboard: KeyboardReader,
console_cmd_buffer: Option<String>,
current_attrib: VideoConsoleAttribute,
capture: Option<String>,
}
impl LateConsole {
/// SAFETY: must ensure that there is no console running at the same time
unsafe fn new(uart: Uart, video_console: Box<dyn VideoConsole>) -> Self {
Self {
uart,
video_console,
keyboard: keyboard_mouse::get_keyboard_reader(),
console_cmd_buffer: None,
current_attrib: Default::default(),
capture: None,
}
}
fn write_byte(&mut self, byte: u8) {
let mut write_byte_inner = |byte: u8| {
// backspace
if byte == 8 {
self.video_console.backspace();
// Safety: we are sure that the uart is initialized
unsafe {
// write backspace
self.uart.write_byte(byte);
// write space to clear the character
self.uart.write_byte(b' ');
// write backspace again
self.uart.write_byte(byte);
};
} else {
self.video_console.write_byte(byte);
// Safety: we are sure that the uart is initialized
unsafe { self.uart.write_byte(byte) };
}
};
if let Some(buf) = &mut self.console_cmd_buffer {
// is this the end of the command
match byte {
b'0'..=b'9' | b';' | b'[' => {
// part of the command
buf.push(byte as char);
}
b'm' => {
// end of the color command
if let Some(inner_cmd) = buf.strip_prefix('[') {
inner_cmd.split(';').for_each(|cmd| {
if let Ok(cmd) = cmd.parse::<u8>() {
match cmd {
0 => {
self.current_attrib = Default::default();
}
1 => {
self.current_attrib.bold = true;
self.current_attrib.faint = false;
}
2 => {
self.current_attrib.bold = false;
self.current_attrib.faint = true;
}
30..=37 => {
let color = cmd - 30;
self.current_attrib.foreground = AnsiColor::from_u8(color);
}
90..=97 => {
let color = (cmd - 90) + 8;
self.current_attrib.foreground = AnsiColor::from_u8(color);
}
40..=47 => {
let color = cmd - 40;
self.current_attrib.background = AnsiColor::from_u8(color);
}
100..=107 => {
let color = (cmd - 100) + 8;
self.current_attrib.background = AnsiColor::from_u8(color);
}
_ => {}
}
self.video_console.set_attrib(self.current_attrib);
}
});
// output all saved into the uart as well
// Safety: we are sure that the uart is initialized
unsafe {
self.uart.write_byte(0x1b);
self.uart.write_byte(b'[');
for &c in inner_cmd.as_bytes() {
self.uart.write_byte(c);
}
self.uart.write_byte(b'm');
}
self.console_cmd_buffer = None;
} else {
// not a valid command
// abort and write the char
self.console_cmd_buffer = None;
write_byte_inner(byte);
}
}
_ => {
// unsupported command or character of a command
// abort and write char, probably we lost some characters
// if this was not intended to be a command
self.console_cmd_buffer = None;
write_byte_inner(byte);
}
}
} else {
// start of a new command
// 0x1b = ESC
if byte == 0x1b {
self.console_cmd_buffer = Some(String::new());
return;
}
// otherwise, just write to the screen
write_byte_inner(byte);
}
}
}
impl Write for LateConsole {
fn write_str(&mut self, s: &str) -> core::fmt::Result {
self.write(s.as_bytes());
Ok(())
}
}
impl Console for LateConsole {
fn write(&mut self, src: &[u8]) -> usize {
if let Some(capture) = &mut self.capture {
capture.push_str(core::str::from_utf8(src).expect("Non-UTF8"));
} else {
for &c in src {
self.write_byte(c);
}
}
src.len()
}
fn read(&mut self, dst: &mut [u8]) -> usize {
let mut i = 0;
// for some reason, uart returns \r instead of \n when pressing <enter>
// so we have to convert it to \n
// Safety: we are sure that the uart is initialized
let read_uart = || unsafe {
self.uart.try_read_byte().map(|c| match c {
b'\r' => b'\n',
b'\x7f' => b'\x08', // delete -> backspace
_ => c,
})
};
while i < dst.len() {
// try to read from keyboard
// if we can't read from keyboard, try to read from uart
if let Some(c) = self
.keyboard
.recv()
.and_then(|c| if c.pressed { c.virtual_char() } else { None })
.or_else(read_uart)
{
dst[i] = c;
i += 1;
// ignore if it's not a valid char
} else {
break;
}
}
i
}
fn start_capture(&mut self) -> Option<String> {
self.capture.replace(String::new())
}
fn stop_capture(&mut self) -> Option<String> {
self.capture.take()
}
}
impl fmt::Debug for LateConsole {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("LateConsole").finish()
}
}
impl Device for ReMutex<RefCell<LateConsole>> {
fn name(&self) -> &str {
"console"
}
fn read(&self, _offset: u64, buf: &mut [u8]) -> Result<u64, FileSystemError> {
let console = self.lock();
let x = if let Ok(mut c) = console.try_borrow_mut() {
c.read(buf)
} else {
// cannot read from console if its taken
0
};
Ok(x as u64)
}
fn write(&self, _offset: u64, buf: &[u8]) -> Result<u64, FileSystemError> {
let console = self.lock();
let x = if let Ok(mut c) = console.try_borrow_mut() {
c.write(buf)
} else {
// this should not be reached at all, but just in case
//
// if we can't get the lock, we are inside `panic`
// create a new early console and print to it
let mut console = EarlyConsole::empty();
console.init();
console.write(buf)
};
Ok(x as u64)
}
}