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::{ErrorKind as IoErrorKind, Read, Write};
use std::path::Path;
use nb;
use hal;
use serial_core;
use serial_unix::TTYPort;
pub struct Serial(pub TTYPort);
impl Serial {
pub fn open(path: &Path) -> Result<Serial, serial_core::Error> {
Ok(Serial(TTYPort::open(path)?))
}
}
fn translate_io_errors(err: std::io::Error) -> nb::Error<IoErrorKind> {
match err.kind() {
IoErrorKind::WouldBlock | IoErrorKind::TimedOut | IoErrorKind::Interrupted => {
nb::Error::WouldBlock
}
err => nb::Error::Other(err),
}
}
impl hal::serial::Read<u8> for Serial {
type Error = IoErrorKind;
fn read(&mut self) -> nb::Result<u8, Self::Error> {
let mut buffer = [0; 1];
let bytes_read = self.0.read(&mut buffer).map_err(translate_io_errors)?;
if bytes_read == 1 {
Ok(buffer[0])
} else {
Err(nb::Error::WouldBlock)
}
}
}
impl hal::serial::Write<u8> for Serial {
type Error = IoErrorKind;
fn write(&mut self, word: u8) -> nb::Result<(), Self::Error> {
self.0.write(&[word]).map_err(translate_io_errors)?;
Ok(())
}
fn flush(&mut self) -> nb::Result<(), Self::Error> {
self.0.flush().map_err(translate_io_errors)
}
}
#[cfg(test)]
mod test {
use std::path::Path;
use hal::serial::{Read, Write};
use std::io::{Read as IoRead, Write as IoWrite};
use super::*;
fn create_pty_and_serial() -> (std::fs::File, Serial) {
let (master, _slave, name) =
openpty::openpty(None, None, None).expect("Creating pty failed");
let serial = Serial::open(Path::new(&name)).expect("Creating TTYPort failed");
(master, serial)
}
#[test]
fn test_empty_read() {
let (mut _master, mut serial) = create_pty_and_serial();
assert_eq!(Err(nb::Error::WouldBlock), serial.read());
}
#[test]
fn test_read() {
let (mut master, mut serial) = create_pty_and_serial();
master.write(&[1]).expect("Write failed");
assert_eq!(Ok(1), serial.read());
}
#[test]
fn test_write() {
let (mut master, mut serial) = create_pty_and_serial();
serial.write(2).expect("Write failed");
let mut buf = [0; 2];
assert_eq!(1, master.read(&mut buf).unwrap());
assert_eq!(buf, [2, 0]);
}
}