Merge branch 'master' of github.com:Ticki/libterm

This commit is contained in:
ticki 2017-07-24 18:56:04 +02:00
commit bc33fe1420
No known key found for this signature in database
GPG Key ID: 28F8864B5C973CB6
5 changed files with 102 additions and 19 deletions

View File

@ -11,3 +11,8 @@ exclude = ["target", "CHANGELOG.md", "image.png", "Cargo.lock"]
[target.'cfg(not(target_os = "redox"))'.dependencies] [target.'cfg(not(target_os = "redox"))'.dependencies]
libc = "0.2.8" libc = "0.2.8"
[target.'cfg(target_os = "redox")'.dependencies]
redox_syscall = "0.1"
redox_termios = "0.1"

View File

@ -27,15 +27,28 @@ impl<R: Read> Iterator for Keys<R> {
} }
/// An iterator over input events. /// An iterator over input events.
pub struct Events<R> { pub struct Events<R> {
source: R, inner: EventsAndRaw<R>
leftover: Option<u8>,
} }
impl<R: Read> Iterator for Events<R> { impl<R: Read> Iterator for Events<R> {
type Item = Result<Event, io::Error>; type Item = Result<Event, io::Error>;
fn next(&mut self) -> Option<Result<Event, io::Error>> { fn next(&mut self) -> Option<Result<Event, io::Error>> {
self.inner.next().map(|tuple| tuple.map(|(event, _raw)| event))
}
}
/// An iterator over input events and the bytes that define them.
pub struct EventsAndRaw<R> {
source: R,
leftover: Option<u8>,
}
impl<R: Read> Iterator for EventsAndRaw<R> {
type Item = Result<(Event, Vec<u8>), io::Error>;
fn next(&mut self) -> Option<Result<(Event, Vec<u8>), io::Error>> {
let mut source = &mut self.source; let mut source = &mut self.source;
if let Some(c) = self.leftover { if let Some(c) = self.leftover {
@ -53,7 +66,7 @@ impl<R: Read> Iterator for Events<R> {
Ok(0) => return None, Ok(0) => return None,
Ok(1) => { Ok(1) => {
match buf[0] { match buf[0] {
b'\x1B' => Ok(Event::Key(Key::Esc)), b'\x1B' => Ok((Event::Key(Key::Esc), vec![b'\x1B'])),
c => parse_event(c, &mut source.bytes()), c => parse_event(c, &mut source.bytes()),
} }
} }
@ -75,7 +88,7 @@ impl<R: Read> Iterator for Events<R> {
} }
} }
fn parse_event<I>(item: u8, iter: &mut I) -> Result<Event, io::Error> fn parse_event<I>(item: u8, iter: &mut I) -> Result<(Event, Vec<u8>), io::Error>
where I: Iterator<Item = Result<u8, io::Error>> where I: Iterator<Item = Result<u8, io::Error>>
{ {
let mut buf = vec![item]; let mut buf = vec![item];
@ -85,7 +98,7 @@ fn parse_event<I>(item: u8, iter: &mut I) -> Result<Event, io::Error>
}); });
event::parse_event(item, &mut iter) event::parse_event(item, &mut iter)
}; };
result.or(Ok(Event::Unsupported(buf))) result.or(Ok(Event::Unsupported(buf.clone()))).map(|e| (e, buf))
} }
@ -113,11 +126,11 @@ pub trait TermRead {
} }
} }
impl<R: Read> TermRead for R {
impl<R: Read + TermReadEventsAndRaw> TermRead for R {
fn events(self) -> Events<Self> { fn events(self) -> Events<Self> {
Events { Events {
source: self, inner: self.events_and_raw()
leftover: None,
} }
} }
fn keys(self) -> Keys<Self> { fn keys(self) -> Keys<Self> {
@ -145,6 +158,21 @@ impl<R: Read> TermRead for R {
} }
} }
/// Extension to `TermRead` trait. A separate trait in order to maintain backwards compatibility.
pub trait TermReadEventsAndRaw {
/// An iterator over input events and the bytes that define them.
fn events_and_raw(self) -> EventsAndRaw<Self> where Self: Sized;
}
impl<R: Read> TermReadEventsAndRaw for R {
fn events_and_raw(self) -> EventsAndRaw<Self> {
EventsAndRaw {
source: self,
leftover: None,
}
}
}
/// A sequence of escape codes to enable terminal mouse support. /// A sequence of escape codes to enable terminal mouse support.
const ENTER_MOUSE_SEQUENCE: &'static str = csi!("?1000h\x1b[?1002h\x1b[?1015h\x1b[?1006h"); const ENTER_MOUSE_SEQUENCE: &'static str = csi!("?1000h\x1b[?1002h\x1b[?1015h\x1b[?1006h");
@ -241,6 +269,38 @@ mod test {
assert!(i.next().is_none()); assert!(i.next().is_none());
} }
#[test]
fn test_events_and_raw() {
let input = b"\x1B[\x00bc\x7F\x1B[D\
\x1B[M\x00\x22\x24\x1B[<0;2;4;M\x1B[32;2;4M\x1B[<0;2;4;m\x1B[35;2;4Mb";
let mut output = Vec::<u8>::new();
{
let mut i = input.events_and_raw().map(|res| res.unwrap())
.inspect(|&(_, ref raw)| { output.extend(raw); }).map(|(event, _)| event);
assert_eq!(i.next().unwrap(),
Event::Unsupported(vec![0x1B, b'[', 0x00]));
assert_eq!(i.next().unwrap(), Event::Key(Key::Char('b')));
assert_eq!(i.next().unwrap(), Event::Key(Key::Char('c')));
assert_eq!(i.next().unwrap(), Event::Key(Key::Backspace));
assert_eq!(i.next().unwrap(), Event::Key(Key::Left));
assert_eq!(i.next().unwrap(),
Event::Mouse(MouseEvent::Press(MouseButton::WheelUp, 2, 4)));
assert_eq!(i.next().unwrap(),
Event::Mouse(MouseEvent::Press(MouseButton::Left, 2, 4)));
assert_eq!(i.next().unwrap(),
Event::Mouse(MouseEvent::Press(MouseButton::Left, 2, 4)));
assert_eq!(i.next().unwrap(),
Event::Mouse(MouseEvent::Release(2, 4)));
assert_eq!(i.next().unwrap(),
Event::Mouse(MouseEvent::Release(2, 4)));
assert_eq!(i.next().unwrap(), Event::Key(Key::Char('b')));
assert!(i.next().is_none());
}
assert_eq!(input.iter().map(|b| *b).collect::<Vec<u8>>(), output)
}
#[test] #[test]
fn test_function_keys() { fn test_function_keys() {
let mut st = b"\x1BOP\x1BOQ\x1BOR\x1BOS".keys(); let mut st = b"\x1BOP\x1BOQ\x1BOR\x1BOS".keys();

View File

@ -17,6 +17,12 @@ extern crate libc;
#[cfg(not(target_os = "redox"))] #[cfg(not(target_os = "redox"))]
mod termios; mod termios;
#[cfg(target_os = "redox")]
extern crate redox_termios;
#[cfg(target_os = "redox")]
extern crate syscall;
mod async; mod async;
pub use async::{AsyncReader, async_stdin}; pub use async::{AsyncReader, async_stdin};

View File

@ -57,16 +57,21 @@ pub fn terminal_size() -> io::Result<(u16, u16)> {
/// Get the size of the terminal. /// Get the size of the terminal.
#[cfg(target_os = "redox")] #[cfg(target_os = "redox")]
pub fn terminal_size() -> io::Result<(u16, u16)> { pub fn terminal_size() -> io::Result<(u16, u16)> {
use std::env; use redox_termios;
use syscall;
let width = try!(env::var("COLUMNS").map_err(|x| io::Error::new(io::ErrorKind::NotFound, x))) if let Ok(fd) = syscall::dup(1, b"winsize") {
.parse() let mut winsize = redox_termios::Winsize::default();
.unwrap_or(0); let res = syscall::read(fd, &mut winsize);
let height = try!(env::var("LINES").map_err(|x| io::Error::new(io::ErrorKind::NotFound, x))) let _ = syscall::close(fd);
.parse() if let Ok(count) = res {
.unwrap_or(0); if count == winsize.len() {
return Ok((winsize.ws_col, winsize.ws_row));
}
}
}
Ok((width, height)) Err(io::Error::new(io::ErrorKind::Other, "Unable to get the terminal size."))
} }
#[cfg(test)] #[cfg(test)]

View File

@ -11,8 +11,15 @@ pub fn is_tty<T: AsRawFd>(stream: &T) -> bool {
/// This will panic. /// This will panic.
#[cfg(target_os = "redox")] #[cfg(target_os = "redox")]
pub fn is_tty<T: AsRawFd>(_stream: &T) -> bool { pub fn is_tty<T: AsRawFd>(stream: &T) -> bool {
unimplemented!(); use syscall;
if let Ok(fd) = syscall::dup(stream.as_raw_fd(), b"termios") {
let _ = syscall::close(fd);
true
} else {
false
}
} }
/// Get the TTY device. /// Get the TTY device.