+use crate::uart::Uart;
+use alloc::string::String;
+use alloc::sync::{Arc, Weak};
+use alloc::vec::Vec;
+use core::fmt::Result;
+use spinning_top::Spinlock;
+
+pub trait ConsoleListener: 'static {
+ fn new(console: Weak<UartConsole>) -> Arc<Self>
+ where
+ Self: Sized;
+ fn new_input_line(&self, s: &String);
+ fn init(&self);
+}
+
+pub struct UartConsole {
+ uart: Uart,
+ buf: Spinlock<Vec<u8>>,
+ listener: Arc<dyn ConsoleListener>,
+}
+
+impl UartConsole {
+ pub fn new<T: ConsoleListener>(u: Uart) -> Arc<Self> {
+ let retval = Arc::new_cyclic(|self_ref| {
+ let monitor = T::new(self_ref.clone());
+ let retval = Self {
+ uart: u,
+ buf: Spinlock::new(Vec::new()),
+ listener: monitor,
+ };
+ return retval;
+ });
+ return retval;
+ }
+
+ pub fn data_pending(&self) {
+ let data = self.uart.read();
+ let mut buf = self.buf.lock();
+ match data {
+ // Backspace; drop last character
+ b'\x08' => {
+ buf.pop();
+ }
+ b'\r' => {
+ buf.push(data);
+ buf.push(b'\n');
+ self.uart.write(data);
+ self.uart.write(b'\n');
+ let line = String::from_utf8_lossy(buf.as_slice()).into_owned();
+ self.listener.new_input_line(&line);
+ buf.clear();
+ }
+ _ => {
+ buf.push(data);
+ self.uart.write(data);
+ }
+ }
+ }
+
+ pub fn write_str(&self, s: &str) -> Result {
+ return self.uart.write_str_immutable(s);
+ }
+
+ pub fn writeln(&self, s: &str) -> Result {
+ self.uart.write_str_immutable(s)?;
+ return self.uart.write_str_immutable("\r\n");
+ }
+
+ pub fn start(&self) {
+ self.listener.init();
+ }
+}