diff --git a/Cargo.toml b/Cargo.toml index db067631..5a4492ec 100644 --- a/Cargo.toml +++ b/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "serialport" -version = "4.0.2-alpha.0" +version = "5.0.0-alpha.0" authors = ["Bryant Mairs "] categories = ["hardware-support"] edition = "2018" @@ -37,7 +37,7 @@ regex = "1.5.4" [target."cfg(windows)".dependencies.winapi] version = "0.3.9" features = ["cguid", "commapi", "errhandlingapi", "fileapi", "guiddef", "handleapi", "minwinbase", - "minwindef", "ntdef", "setupapi", "winbase", "winerror", "winnt"] + "minwindef", "ntdef", "setupapi", "winbase", "winerror", "winnt", "ioapiset", "synchapi"] [target.'cfg(any(target_os = "ios", target_os = "macos"))'.dependencies] IOKit-sys = "0.1.5" diff --git a/README.md b/README.md index 225cf250..ea51e473 100644 --- a/README.md +++ b/README.md @@ -16,11 +16,11 @@ For async I/O functionality, see the [mio-serial](https://github.com/berkowski/m # Overview -The library exposes cross-platform serial port functionality through the `SerialPort` trait. This -library is structured to make this the simplest API to use to encourate cross-platform development -by default. Working with the resultant `Box` type is therefore recommended. To -expose additional platform-specific functionality use the platform-specific structs directly: -`TTYPort` for POSIX systems and `COMPort` for Windows. +The library exposes cross-platform serial port functionality through the +`SerialPort` struct. Additional platform-dependent features can be enabled by +importing platform-specific `SerialPortExt` traits. `SerialPort` implements the +standard `Read` and `Write` traits. + Serial enumeration is provided on most platforms. The implementation on Linux using `glibc` relies on `libudev`, an external dynamic library that will need to be available on the system the final @@ -41,36 +41,50 @@ let ports = serialport::available_ports().expect("No ports found!"); for p in ports { println!("{}", p.port_name); } - ``` Opening and configuring a port: ```rust -let port = serialport::new("/dev/ttyUSB0", 115_200) - .timeout(Duration::from_millis(10)) - .open().expect("Failed to open port"); +let port = SerialPort::builder() + .baud_rate(115_200) + .read_timeout(Duration::from_millis(10)) + .open("/dev/ttyUSB0") + .expect("Failed to open port"); ``` Writing to a port: ```rust +use std::io::Write; + let output = "This is a test. This is only a test.".as_bytes(); port.write(output).expect("Write failed!"); ``` -Reading from a port (default is blocking with a 0ms timeout): +Reading from a port: ```rust +use std::io::Read; + let mut serial_buf: Vec = vec![0; 32]; -port.read(serial_buf.as_mut_slice()).expect("Found no data!"); +port.read(serial_buf.as_mut_slice()).expect("Read failed"); ``` -Some platforms expose additional functionality, which is opened using the `open_native()` method: +Some platforms expose additional functionality, which is accessed by importing the platform-specific extension trait. ```rust -let port = serialport::new("/dev/ttyUSB0", 115_200) - .open_native().expect("Failed to open port"); +let port = SerialPort::builder() + .baud_rate(115_200) + .read_timeout(Duration::from_millis(10)) + .open("/dev/ttyUSB0") + .expect("Failed to open port"); + +#[cfg(windows)] +use serialport::windows::SerialPortExt; + +#[cfg(unix)] +use serialport::posix::SerialPortExt; ``` Closing a port: @@ -79,6 +93,51 @@ Closing a port: port is done when the `SerialPort` object is `Drop`ed either implicitly or explicitly using `std::mem::drop` (`std::mem::drop(port)`). +# Migrating to Version 5 + +Prior to version 5 of this library, the `SerialPort` type was a trait, and +cross-platform functionality was provided by using `Box`. +Platform-specific functionality required using the platform-specific structs, +`COMPort` and `TTYPort`. + +In version 5, these types have been unified, with a single `SerialPort` struct +as the only serial port type exposed by the library. Platform-specific +functionality is implemented through extension traits, which can be imported +when needed on a particular platform, to allow you to call extra functions on +the `SerialPort` struct. Using a struct instead of a trait means you no longer +need to `Box` `SerialPort` instances, and the extension traits should make it +easier to write cross-platform code that only occasionally needs access to +platform-specific features. + +For example, to send a break on a TTY port, in version 4 and earlier, you would +have to use the `TTYPort` struct instead of the cross-platform `dyn SerialPort`: + +```rust +use serialport::BreakDuration; + +let port = serialport::new("/dev/ttyUSB0", 9600).open_native()?; +port.send_break(BreakDuration::Short)?; +``` + +In version 5, you can now use the common `SerialPort` type everywhere, and to +gain access to the platform-specific `send_break` method, you just have to +import the platform-specific trait. + +```rust +use serialport::posix::{SerialPortExt, BreakDuration}; +use serialport::SerialPort; + +let port = SerialPort::builder().open("/dev/ttyUSB0")?; +port.send_break(BreakDuration::Short)?; +``` + +One other consequence of the switch to a having `SerialPort` as a struct rather +than a trait is that you will now need to import `std::io::Read` and +`std::io::Write` traits explicitly. Previously, the `SerialPort` trait inherited +from `Read` and `Write` so you could call read and write without importing them +whenever the `SerialPort` trait was in scope. With `SerialPort` as a struct, you +now need to explicitly import `Read` and `Write`. + # Examples There are several included examples, which help demonstrate the functionality of this library and diff --git a/examples/clear_input_buffer.rs b/examples/clear_input_buffer.rs index 35b0e599..7e0792e7 100644 --- a/examples/clear_input_buffer.rs +++ b/examples/clear_input_buffer.rs @@ -42,7 +42,7 @@ use std::time::Duration; use clap::{App, AppSettings, Arg}; -use serialport::ClearBuffer; +use serialport::{ClearBuffer, SerialPort}; fn main() { let matches = App::new("Serialport Example - Clear Input Buffer") @@ -76,9 +76,11 @@ fn run(port_name: &str, baud_rate: &str) -> Result<(), Box> { .parse::() .map_err(|_| format!("Invalid baud rate '{}' specified", baud_rate))?; - let port = serialport::new(port_name, rate) - .timeout(Duration::from_millis(10)) - .open() + let port = SerialPort::builder() + .baud_rate(rate) + .read_timeout(Some(Duration::from_millis(10))) + .write_timeout(Some(Duration::from_millis(10))) + .open(port_name) .map_err(|ref e| format!("Port '{}' not available: {}", &port_name, e))?; let chan_clear_buf = input_service(); @@ -124,7 +126,7 @@ fn input_service() -> mpsc::Receiver<()> { break; } Ok(_) => tx.send(()).unwrap(), // Signal main to clear the buffer - Err(e) => panic!(e), + Err(e) => panic!("{}", e), } } }); diff --git a/examples/clear_output_buffer.rs b/examples/clear_output_buffer.rs index f317f01e..177d3554 100644 --- a/examples/clear_output_buffer.rs +++ b/examples/clear_output_buffer.rs @@ -15,15 +15,15 @@ // use std::error::Error; -use std::io::{self, Read}; use std::panic::panic_any; +use std::io::{self, Read, Write}; use std::sync::mpsc; use std::thread; use std::time::Duration; use clap::{App, AppSettings, Arg, ArgMatches}; -use serialport::ClearBuffer; +use serialport::{ClearBuffer, SerialPort}; const DEFAULT_BLOCK_SIZE: &str = "128"; @@ -68,9 +68,11 @@ fn run(port_name: &str, baud_rate: &str, block_size: usize) -> Result<(), Box() .map_err(|_| format!("Invalid baud rate '{}' specified", baud_rate))?; - let mut port = serialport::new(port_name, rate) - .timeout(Duration::from_millis(10)) - .open() + let mut port = SerialPort::builder() + .baud_rate(rate) + .read_timeout(Some(Duration::from_millis(10))) + .write_timeout(Some(Duration::from_millis(10))) + .open(port_name) .map_err(|ref e| format!("Port '{}' not available: {}", &port_name, e))?; let chan_clear_buf = input_service(); diff --git a/examples/duplex.rs b/examples/duplex.rs index 73bdb0f4..cc1dc605 100644 --- a/examples/duplex.rs +++ b/examples/duplex.rs @@ -11,15 +11,17 @@ //! To test this, have a physical or virtual loopback device connected as the //! only port in the system. -use std::io::Write; +use std::io::{Read, Write}; use std::time::Duration; use std::{io, thread}; +use serialport::SerialPort; + fn main() { // Open the first serialport available. let port_name = &serialport::available_ports().expect("No serial port")[0].port_name; - let mut port = serialport::new(port_name, 9600) - .open() + let mut port = SerialPort::builder() + .open(port_name) .expect("Failed to open serial port"); // Clone the port diff --git a/examples/hardware_check.rs b/examples/hardware_check.rs index bbbb2ce6..78949280 100644 --- a/examples/hardware_check.rs +++ b/examples/hardware_check.rs @@ -15,9 +15,8 @@ //! 3) With two ports physically connected to each other //! `cargo run --example hardware_check /dev/ttyUSB0 /dev/ttyUSB1` -use std::io::Write; +use std::io::{Read, Write}; use std::str; -use std::time::Duration; use clap::{App, AppSettings, Arg}; @@ -53,28 +52,28 @@ fn main() { } // Run single-port tests on port1 - let mut port1 = match serialport::new(port1_name, 9600).open() { + let mut port1 = match SerialPort::builder().open(port1_name) { Err(e) => { eprintln!("Failed to open \"{}\". Error: {}", port1_name, e); ::std::process::exit(1); } Ok(p) => p, }; - test_single_port(&mut *port1, port1_loopback); + test_single_port(&mut port1, port1_loopback); if port2_name != "" { // Run single-port tests on port2 - let mut port2 = match serialport::new(port2_name, 9600).open() { + let mut port2 = match SerialPort::builder().open(port2_name) { Err(e) => { eprintln!("Failed to open \"{}\". Error: {}", port2_name, e); ::std::process::exit(1); } Ok(p) => p, }; - test_single_port(&mut *port2, false); + test_single_port(&mut port2, false); // Test loopback pair - test_dual_ports(&mut *port1, &mut *port2); + test_dual_ports(&mut port1, &mut port2); } } @@ -186,7 +185,7 @@ macro_rules! call_query_method_check { }; } -fn test_single_port(port: &mut dyn serialport::SerialPort, loopback: bool) { +fn test_single_port(port: &mut SerialPort, loopback: bool) { println!("Testing '{}':", port.name().unwrap()); // Test setting standard baud rates @@ -262,7 +261,7 @@ fn test_single_port(port: &mut dyn serialport::SerialPort, loopback: bool) { } } -fn test_dual_ports(port1: &mut dyn serialport::SerialPort, port2: &mut dyn serialport::SerialPort) { +fn test_dual_ports(port1: &mut SerialPort, port2: &mut SerialPort) { println!( "Testing paired ports '{}' and '{}':", port1.name().unwrap(), @@ -420,11 +419,12 @@ fn test_dual_ports(port1: &mut dyn serialport::SerialPort, port2: &mut dyn seria } } -fn set_defaults(port: &mut dyn serialport::SerialPort) { +fn set_defaults(port: &mut SerialPort) { port.set_baud_rate(9600).unwrap(); port.set_data_bits(DataBits::Eight).unwrap(); port.set_flow_control(FlowControl::Software).unwrap(); port.set_parity(Parity::None).unwrap(); port.set_stop_bits(StopBits::One).unwrap(); - port.set_timeout(Duration::from_millis(0)).unwrap(); + port.set_read_timeout(None).unwrap(); + port.set_write_timeout(None).unwrap(); } diff --git a/examples/pseudo_terminal.rs b/examples/pseudo_terminal.rs index 7c9c42ac..0f1e5362 100644 --- a/examples/pseudo_terminal.rs +++ b/examples/pseudo_terminal.rs @@ -8,9 +8,11 @@ fn main() { use std::thread; use std::time; - use serialport::{SerialPort, TTYPort}; + use serialport::posix::SerialPortExt; + use serialport::SerialPort; - let (mut master, mut slave) = TTYPort::pair().expect("Unable to create pseudo-terminal pair"); + let (mut master, mut slave) = + SerialPort::pair().expect("Unable to create pseudo-terminal pair"); // Master ptty has no associated path on the filesystem. println!( diff --git a/examples/receive_data.rs b/examples/receive_data.rs index 696b02ba..4273d04b 100644 --- a/examples/receive_data.rs +++ b/examples/receive_data.rs @@ -1,8 +1,10 @@ -use std::io::{self, Write}; +use std::io::{self, Read, Write}; use std::time::Duration; use clap::{App, AppSettings, Arg}; +use serialport::SerialPort; + fn main() { let matches = App::new("Serialport Example - Receive Data") .about("Reads data from a serial port and echoes it to stdout") @@ -24,9 +26,11 @@ fn main() { let port_name = matches.value_of("port").unwrap(); let baud_rate = matches.value_of("baud").unwrap().parse::().unwrap(); - let port = serialport::new(port_name, baud_rate) - .timeout(Duration::from_millis(10)) - .open(); + let port = SerialPort::builder() + .baud_rate(baud_rate) + .read_timeout(Some(Duration::from_millis(10))) + .write_timeout(Some(Duration::from_millis(10))) + .open(port_name); match port { Ok(mut port) => { diff --git a/examples/transmit.rs b/examples/transmit.rs index e40c46a0..9122ca0e 100644 --- a/examples/transmit.rs +++ b/examples/transmit.rs @@ -3,7 +3,7 @@ use std::time::Duration; use clap::{App, AppSettings, Arg}; -use serialport::{DataBits, StopBits}; +use serialport::{DataBits, SerialPort, StopBits}; fn main() { let matches = App::new("Serialport Example - Heartbeat") @@ -67,11 +67,12 @@ fn main() { let rate = matches.value_of("rate").unwrap().parse::().unwrap(); let string = matches.value_of("string").unwrap(); - let builder = serialport::new(port_name, baud_rate) + let builder = SerialPort::builder() + .baud_rate(baud_rate) .stop_bits(stop_bits) .data_bits(data_bits); println!("{:?}", &builder); - let mut port = builder.open().unwrap_or_else(|e| { + let mut port = builder.open(port_name).unwrap_or_else(|e| { eprintln!("Failed to open \"{}\". Error: {}", port_name, e); ::std::process::exit(1); }); diff --git a/src/lib.rs b/src/lib.rs index c5a4625f..da4c49ce 100644 --- a/src/lib.rs +++ b/src/lib.rs @@ -6,15 +6,36 @@ //! //! # Feature Overview //! -//! The library has been organized such that there is a high-level `SerialPort` trait that provides -//! a cross-platform API for accessing serial ports. This is the preferred method of interacting -//! with ports. The `SerialPort::new().open*()` and `available_ports()` functions in the root -//! provide cross-platform functionality. +//! The library provides a single `SerialPort` type which works across the supported platforms. Some +//! platform-specific functionality is available through platform-specific extension traits provided +//! in the [`posix`] and [`windows`] modules, which can be imported when platform-specific functions are +//! needed. //! -//! For platform-specific functionaly, this crate is split into a `posix` and `windows` API with -//! corresponding `TTYPort` and `COMPort` structs (that both implement the `SerialPort` trait). -//! Using the platform-specific `SerialPort::new().open*()` functions will return the -//! platform-specific port object which allows access to platform-specific functionality. +//! To open a [`SerialPort`], create a builder with [`SerialPort::builder()`]. The [`SerialPortBuilder`] +//! can be used to customize settings such as baud rate, number of data bits, flow control, parity +//! and timeouts before opening the port. Note that most of these settings can be changed after opening +//! as well, but they are provided on the builder for convenience. +//! +//! For normal reading and writing, `SerialPort` implements the standard [`Read`][io::Read] and +//! [`Write`][io::Write] traits. +//! +//! ```no_run +//! use std::io::Read; +//! use serialport::SerialPort; +//! # fn main() -> serialport::Result<()> { +//! let mut port = SerialPort::builder().baud_rate(115200).open("/dev/ttyUSB0")?; +//! let mut buf = [0u8; 1024]; +//! let bytes_read = port.read(&mut buf[..])?; +//! println!("Read {} bytes: {:?}", bytes_read, &buf[..bytes_read]); +//! # Ok(()) +//! # } +//! ``` +//! +//! `SerialPort` instances are thread-safe, and both read and write are implemeted for both +//! `SerialPort` and `&SerialPort`. This allows you to share a single `SerialPort` instance +//! between threads without locking. This is primarily intended to allow having 1 thread for +//! reading and 1 thread for writing. It is also possible to get separate SerialPort instances +//! which have the same underlying serial device using [`try_clone`][SerialPort::try_clone()]. #![deny( missing_docs, @@ -26,21 +47,19 @@ // doc tests. #![doc(test(attr(allow(unused_must_use))))] -use std::convert::From; use std::error::Error as StdError; use std::fmt; use std::io; +use std::path::Path; use std::time::Duration; -#[cfg(unix)] -mod posix; -#[cfg(unix)] -pub use posix::{BreakDuration, TTYPort}; +mod sys; + +#[cfg(any(unix, doc))] +pub mod posix; -#[cfg(windows)] -mod windows; -#[cfg(windows)] -pub use windows::COMPort; +#[cfg(any(windows, doc))] +pub mod windows; /// A type for results generated by interacting with serial ports /// @@ -202,10 +221,8 @@ pub enum ClearBuffer { } /// A struct containing all serial port settings -#[derive(Debug, Clone, PartialEq, Eq)] +#[derive(Debug, Copy, Clone, PartialEq, Eq)] pub struct SerialPortBuilder { - /// The port name, usually the device path - path: String, /// The baud rate in symbols-per-second baud_rate: u32, /// Number of bits used to represent a character sent on the line @@ -216,100 +233,129 @@ pub struct SerialPortBuilder { parity: Parity, /// Number of bits to use to signal the end of a character stop_bits: StopBits, - /// Amount of time to wait to receive data before timing out - timeout: Duration, + /// Amount of time to wait to receive data before timing out. + read_timeout: Option, + /// Amount of time to wait to write data before timing out. + write_timeout: Option, } impl SerialPortBuilder { - /// Set the path to the serial port - pub fn path<'a>(mut self, path: impl Into>) -> Self { - self.path = path.into().as_ref().to_owned(); - self + /// Construct a new [`SerialPortBuilder`] with the default settings. + pub fn new() -> Self { + Default::default() } - /// Set the baud rate in symbols-per-second + /// Set the baud rate in symbols-per-second. + /// + /// Default: `9600` pub fn baud_rate(mut self, baud_rate: u32) -> Self { self.baud_rate = baud_rate; self } /// Set the number of bits used to represent a character sent on the line + /// + /// Default: [`DataBits::Eight`] pub fn data_bits(mut self, data_bits: DataBits) -> Self { self.data_bits = data_bits; self } /// Set the type of signalling to use for controlling data transfer + /// + /// Default: [`FlowControl::None`] pub fn flow_control(mut self, flow_control: FlowControl) -> Self { self.flow_control = flow_control; self } /// Set the type of parity to use for error checking + /// + /// Default: [`Parity::None`] pub fn parity(mut self, parity: Parity) -> Self { self.parity = parity; self } /// Set the number of bits to use to signal the end of a character + /// + /// Default: [`StopBits::One`] pub fn stop_bits(mut self, stop_bits: StopBits) -> Self { self.stop_bits = stop_bits; self } - /// Set the amount of time to wait to receive data before timing out - pub fn timeout(mut self, timeout: Duration) -> Self { - self.timeout = timeout; + /// Set the amount of time to wait to receive data before timing out. If set + /// to `None`, hang indefinitely. + /// + /// Default: [`None`] + pub fn read_timeout(mut self, read_timeout: Option) -> Self { + self.read_timeout = read_timeout; self } - /// Open a cross-platform interface to the port with the specified settings - pub fn open(self) -> Result> { - #[cfg(unix)] - return posix::TTYPort::open(&self).map(|p| Box::new(p) as Box); - - #[cfg(windows)] - return windows::COMPort::open(&self).map(|p| Box::new(p) as Box); - - #[cfg(not(any(unix, windows)))] - Err(Error::new( - ErrorKind::Unknown, - "open() not implemented for platform", - )) + /// Set the amount of time to wait to write data before timing out. If set to + /// `None`, hang indefinitely. + /// + /// Default: [`None`] + pub fn write_timeout(mut self, write_timeout: Option) -> Self { + self.write_timeout = write_timeout; + self } - /// Open a platform-specific interface to the port with the specified settings - #[cfg(unix)] - pub fn open_native(self) -> Result { - posix::TTYPort::open(&self) + /// Open a cross-platform interface to the port with the specified settings. + /// + /// On windows, the path must start with the device prefix, e.g. `\\.\`. + pub fn open(self, path: impl AsRef) -> Result { + Ok(SerialPort(sys::SerialPort::open(self, path)?)) } +} - /// Open a platform-specific interface to the port with the specified settings - #[cfg(windows)] - pub fn open_native(self) -> Result { - windows::COMPort::open(&self) +impl Default for SerialPortBuilder { + fn default() -> Self { + SerialPortBuilder { + baud_rate: 9600, + data_bits: DataBits::Eight, + flow_control: FlowControl::None, + parity: Parity::None, + stop_bits: StopBits::One, + read_timeout: None, + write_timeout: None, + } } } -/// A trait for serial port devices +/// A Serial Port device. /// -/// This trait is all that's necessary to implement a new serial port driver -/// for a new platform. -pub trait SerialPort: Send + io::Read + io::Write { +/// See module-level documentation for an overview. +#[derive(Debug)] +pub struct SerialPort(sys::SerialPort); + +impl SerialPort { + /// Get a builder for a serial port with the default settings. + pub fn builder() -> SerialPortBuilder { + Default::default() + } + // Port settings getters /// Returns the name of this port if it exists. /// /// This name may not be the canonical device name and instead be shorthand. - /// Additionally it may not exist for virtual ports. - fn name(&self) -> Option; + /// Additionally it may not exist for virtual ports or ports created from a raw + /// handle or file descriptor. + pub fn name(&self) -> Option<&str> { + self.0.name() + } /// Returns the current baud rate. /// /// This may return a value different from the last specified baud rate depending on the /// platform as some will return the actual device baud rate rather than the last specified /// baud rate. - fn baud_rate(&self) -> Result; + pub fn baud_rate(&self) -> Result { + self.0.baud_rate() + } /// Returns the character size. /// @@ -317,7 +363,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// if the hardware is in an uninitialized state or is using a non-standard character size. /// Setting a baud rate with `set_char_size()` should initialize the character size to a /// supported value. - fn data_bits(&self) -> Result; + pub fn data_bits(&self) -> Result { + self.0.data_bits() + } /// Returns the flow control mode. /// @@ -325,14 +373,18 @@ pub trait SerialPort: Send + io::Read + io::Write { /// occur if the hardware is in an uninitialized state or is using an unsupported flow control /// mode. Setting a flow control mode with `set_flow_control()` should initialize the flow /// control mode to a supported value. - fn flow_control(&self) -> Result; + pub fn flow_control(&self) -> Result { + self.0.flow_control() + } /// Returns the parity-checking mode. /// /// This function returns `None` if the parity mode could not be determined. This may occur if /// the hardware is in an uninitialized state or is using a non-standard parity mode. Setting /// a parity mode with `set_parity()` should initialize the parity mode to a supported value. - fn parity(&self) -> Result; + pub fn parity(&self) -> Result { + self.0.parity() + } /// Returns the number of stop bits. /// @@ -340,10 +392,19 @@ pub trait SerialPort: Send + io::Read + io::Write { /// occur if the hardware is in an uninitialized state or is using an unsupported stop bit /// configuration. Setting the number of stop bits with `set_stop-bits()` should initialize the /// stop bits to a supported value. - fn stop_bits(&self) -> Result; + pub fn stop_bits(&self) -> Result { + self.0.stop_bits() + } - /// Returns the current timeout. - fn timeout(&self) -> Duration; + /// Returns the current read timeout. + pub fn read_timeout(&self) -> Option { + self.0.read_timeout() + } + + /// Returns the current write timeout. + pub fn write_timeout(&self) -> Option { + self.0.write_timeout() + } // Port settings setters @@ -354,22 +415,39 @@ pub trait SerialPort: Send + io::Read + io::Write { /// If the implementation does not support the requested baud rate, this function may return an /// `InvalidInput` error. Even if the baud rate is accepted by `set_baud_rate()`, it may not be /// supported by the underlying hardware. - fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()>; + pub fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { + self.0.set_baud_rate(baud_rate) + } /// Sets the character size. - fn set_data_bits(&mut self, data_bits: DataBits) -> Result<()>; + pub fn set_data_bits(&mut self, data_bits: DataBits) -> Result<()> { + self.0.set_data_bits(data_bits) + } /// Sets the flow control mode. - fn set_flow_control(&mut self, flow_control: FlowControl) -> Result<()>; + pub fn set_flow_control(&mut self, flow_control: FlowControl) -> Result<()> { + self.0.set_flow_control(flow_control) + } /// Sets the parity-checking mode. - fn set_parity(&mut self, parity: Parity) -> Result<()>; + pub fn set_parity(&mut self, parity: Parity) -> Result<()> { + self.0.set_parity(parity) + } /// Sets the number of stop bits. - fn set_stop_bits(&mut self, stop_bits: StopBits) -> Result<()>; + pub fn set_stop_bits(&mut self, stop_bits: StopBits) -> Result<()> { + self.0.set_stop_bits(stop_bits) + } - /// Sets the timeout for future I/O operations. - fn set_timeout(&mut self, timeout: Duration) -> Result<()>; + /// Sets the read timeout for future I/O operations. + pub fn set_read_timeout(&mut self, read_timeout: Option) -> Result<()> { + self.0.set_read_timeout(read_timeout) + } + + /// Sets the write timeout for future I/O operations. + pub fn set_write_timeout(&mut self, write_timeout: Option) -> Result<()> { + self.0.set_write_timeout(write_timeout) + } // Functions for setting non-data control signal pins @@ -384,7 +462,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn write_request_to_send(&mut self, level: bool) -> Result<()>; + pub fn write_request_to_send(&mut self, level: bool) -> Result<()> { + self.0.write_request_to_send(level) + } /// Writes to the Data Terminal Ready pin /// @@ -397,7 +477,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn write_data_terminal_ready(&mut self, level: bool) -> Result<()>; + pub fn write_data_terminal_ready(&mut self, level: bool) -> Result<()> { + self.0.write_data_terminal_ready(level) + } // Functions for reading additional pins @@ -412,7 +494,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn read_clear_to_send(&mut self) -> Result; + pub fn read_clear_to_send(&mut self) -> Result { + self.0.read_clear_to_send() + } /// Reads the state of the Data Set Ready control signal. /// @@ -425,7 +509,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn read_data_set_ready(&mut self) -> Result; + pub fn read_data_set_ready(&mut self) -> Result { + self.0.read_data_set_ready() + } /// Reads the state of the Ring Indicator control signal. /// @@ -438,7 +524,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn read_ring_indicator(&mut self) -> Result; + pub fn read_ring_indicator(&mut self) -> Result { + self.0.read_ring_indicator() + } /// Reads the state of the Carrier Detect control signal. /// @@ -451,7 +539,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn read_carrier_detect(&mut self) -> Result; + pub fn read_carrier_detect(&mut self) -> Result { + self.0.read_carrier_detect() + } /// Gets the number of bytes available to be read from the input buffer. /// @@ -461,7 +551,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn bytes_to_read(&self) -> Result; + pub fn bytes_to_read(&self) -> Result { + self.0.bytes_to_read() + } /// Get the number of bytes written to the output buffer, awaiting transmission. /// @@ -471,7 +563,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn bytes_to_write(&self) -> Result; + pub fn bytes_to_write(&self) -> Result { + self.0.bytes_to_write() + } /// Discards all bytes from the serial driver's input buffer and/or output buffer. /// @@ -481,7 +575,9 @@ pub trait SerialPort: Send + io::Read + io::Write { /// /// * `NoDevice` if the device was disconnected. /// * `Io` for any other type of I/O error. - fn clear(&self, buffer_to_clear: ClearBuffer) -> Result<()>; + pub fn clear(&self, buffer_to_clear: ClearBuffer) -> Result<()> { + self.0.clear(buffer_to_clear) + } // Misc methods @@ -497,114 +593,50 @@ pub trait SerialPort: Send + io::Read + io::Write { /// # Errors /// /// This function returns an error if the serial port couldn't be cloned. - fn try_clone(&self) -> Result>; - - /// Start transmitting a break - fn set_break(&self) -> Result<()>; - - /// Stop transmitting a break - fn clear_break(&self) -> Result<()>; -} - -impl SerialPort for &mut T { - fn name(&self) -> Option { - (**self).name() - } - - fn baud_rate(&self) -> Result { - (**self).baud_rate() - } - - fn data_bits(&self) -> Result { - (**self).data_bits() - } - - fn flow_control(&self) -> Result { - (**self).flow_control() - } - - fn parity(&self) -> Result { - (**self).parity() - } - - fn stop_bits(&self) -> Result { - (**self).stop_bits() - } - - fn timeout(&self) -> Duration { - (**self).timeout() - } - - fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { - (**self).set_baud_rate(baud_rate) - } - - fn set_data_bits(&mut self, data_bits: DataBits) -> Result<()> { - (**self).set_data_bits(data_bits) - } - - fn set_flow_control(&mut self, flow_control: FlowControl) -> Result<()> { - (**self).set_flow_control(flow_control) - } - - fn set_parity(&mut self, parity: Parity) -> Result<()> { - (**self).set_parity(parity) + pub fn try_clone(&self) -> Result { + Ok(SerialPort(self.0.try_clone()?)) } - fn set_stop_bits(&mut self, stop_bits: StopBits) -> Result<()> { - (**self).set_stop_bits(stop_bits) - } - - fn set_timeout(&mut self, timeout: Duration) -> Result<()> { - (**self).set_timeout(timeout) - } - - fn write_request_to_send(&mut self, level: bool) -> Result<()> { - (**self).write_request_to_send(level) - } - - fn write_data_terminal_ready(&mut self, level: bool) -> Result<()> { - (**self).write_data_terminal_ready(level) - } - - fn read_clear_to_send(&mut self) -> Result { - (**self).read_clear_to_send() - } - - fn read_data_set_ready(&mut self) -> Result { - (**self).read_data_set_ready() - } - - fn read_ring_indicator(&mut self) -> Result { - (**self).read_ring_indicator() + /// Start transmitting a break + pub fn set_break(&self) -> Result<()> { + self.0.set_break() } - fn read_carrier_detect(&mut self) -> Result { - (**self).read_carrier_detect() + /// Stop transmitting a break + pub fn clear_break(&self) -> Result<()> { + self.0.clear_break() } +} - fn bytes_to_read(&self) -> Result { - (**self).bytes_to_read() +impl io::Read for SerialPort { + fn read(&mut self, buf: &mut [u8]) -> io::Result { + io::Read::read(&mut &self.0, buf) } +} - fn bytes_to_write(&self) -> Result { - (**self).bytes_to_write() +impl io::Read for &SerialPort { + fn read(&mut self, buf: &mut [u8]) -> io::Result { + io::Read::read(&mut &self.0, buf) } +} - fn clear(&self, buffer_to_clear: ClearBuffer) -> Result<()> { - (**self).clear(buffer_to_clear) +impl io::Write for SerialPort { + fn write(&mut self, buf: &[u8]) -> io::Result { + io::Write::write(&mut &self.0, buf) } - fn try_clone(&self) -> Result> { - (**self).try_clone() + fn flush(&mut self) -> io::Result<()> { + io::Write::flush(&mut &self.0) } +} - fn set_break(&self) -> Result<()> { - (**self).set_break() +impl io::Write for &SerialPort { + fn write(&mut self, buf: &[u8]) -> io::Result { + io::Write::write(&mut &self.0, buf) } - fn clear_break(&self) -> Result<()> { - (**self).clear_break() + fn flush(&mut self) -> io::Result<()> { + io::Write::flush(&mut &self.0) } } @@ -645,42 +677,10 @@ pub struct SerialPortInfo { pub port_type: SerialPortType, } -/// Construct a builder of `SerialPort` objects -/// -/// `SerialPort` objects are built using the Builder pattern through the `new` function. The -/// resultant `SerialPortBuilder` object can be copied, reconfigured, and saved making working with -/// multiple serial ports a little easier. -/// -/// To open a new serial port: -/// ```no_run -/// serialport::new("/dev/ttyUSB0", 9600).open().expect("Failed to open port"); -/// ``` -pub fn new<'a>(path: impl Into>, baud_rate: u32) -> SerialPortBuilder { - SerialPortBuilder { - path: path.into().into_owned(), - baud_rate, - data_bits: DataBits::Eight, - flow_control: FlowControl::None, - parity: Parity::None, - stop_bits: StopBits::One, - timeout: Duration::from_millis(0), - } -} - /// Returns a list of all serial ports on system /// /// It is not guaranteed that these ports exist or are available even if they're /// returned by this function. pub fn available_ports() -> Result> { - #[cfg(unix)] - return crate::posix::available_ports(); - - #[cfg(windows)] - return crate::windows::available_ports(); - - #[cfg(not(any(unix, windows)))] - Err(Error::new( - ErrorKind::Unknown, - "available_ports() not implemented for platform", - )) + sys::available_ports() } diff --git a/src/posix.rs b/src/posix.rs new file mode 100644 index 00000000..e1083a5c --- /dev/null +++ b/src/posix.rs @@ -0,0 +1,78 @@ +//! Provides unix-only extensions to the SerialPort type. + +use crate::Result; + +/// Specifies the duration of a transmission break. +#[derive(Clone, Copy, Debug)] +pub enum BreakDuration { + /// 0.25-0.5s + Short, + /// Specifies a break duration that is platform-dependent + Arbitrary(std::num::NonZeroI32), +} + +/// Posix-only extensions to the SerialPort type. +pub trait SerialPortExt { + /// Create a pair of pseudo serial terminals + /// + /// ## Returns + /// Two connected `SerialPort` objects: `(master, slave)` + /// + /// ## Errors + /// Attempting any IO or parameter settings on the slave tty after the master + /// tty is closed will return errors. + /// + /// On some platforms manipulating the master port will fail and only + /// modifying the slave port is possible. + /// + /// ## Examples + /// + /// ``` + /// use serialport::{SerialPort, posix::SerialPortExt}; + /// + /// let (master, slave) = SerialPort::pair().unwrap(); + /// ``` + fn pair() -> Result<(Self, Self)> + where + Self: Sized; + + /// Returns the exclusivity of the port + /// + /// If a port is exclusive, then trying to open the same device path again + /// will fail. + fn exclusive(&self) -> bool; + + /// Sets the exclusivity of the port + /// + /// If a port is exclusive, then trying to open the same device path again + /// will fail. + /// + /// See the man pages for the tiocexcl and tiocnxcl ioctl's for more details. + /// + /// ## Errors + /// + /// * `Io` for any error while setting exclusivity for the port. + fn set_exclusive(&mut self, exclusive: bool) -> Result<()>; + + /// Sends 0-valued bits over the port for a set duration + fn send_break(&self, duration: BreakDuration) -> Result<()>; +} + +impl SerialPortExt for crate::SerialPort { + fn pair() -> Result<(Self, Self)> { + let (master, slave) = crate::sys::SerialPort::pair()?; + Ok((crate::SerialPort(master), crate::SerialPort(slave))) + } + + fn exclusive(&self) -> bool { + self.0.exclusive() + } + + fn set_exclusive(&mut self, exclusive: bool) -> Result<()> { + self.0.set_exclusive(exclusive) + } + + fn send_break(&self, duration: BreakDuration) -> Result<()> { + self.0.send_break(duration) + } +} diff --git a/src/sys/mod.rs b/src/sys/mod.rs new file mode 100644 index 00000000..7507f40b --- /dev/null +++ b/src/sys/mod.rs @@ -0,0 +1,17 @@ +#[cfg(unix)] +mod posix; + +#[cfg(windows)] +mod windows; + +#[cfg(not(any(unix, windows)))] +mod unsupported; + +#[cfg(unix)] +pub use posix::*; + +#[cfg(windows)] +pub use windows::*; + +#[cfg(not(any(unix, windows)))] +pub use unsupported::*; diff --git a/src/posix/enumerate.rs b/src/sys/posix/enumerate.rs similarity index 99% rename from src/posix/enumerate.rs rename to src/sys/posix/enumerate.rs index c56b7cbc..0dc6574b 100644 --- a/src/posix/enumerate.rs +++ b/src/sys/posix/enumerate.rs @@ -314,7 +314,7 @@ cfg_if! { ); let path = CStr::from_ptr(buf.as_ptr()).to_string_lossy(); vec.push(SerialPortInfo { - port_name: path.to_string(), + port_name: path, port_type: port_type(modem_service), }); } else { @@ -348,7 +348,7 @@ cfg_if! { if let Some(devnode) = d.devnode() { if let Some(path) = devnode.to_str() { if let Some(driver) = p.driver() { - if driver == "serial8250" && crate::new(path, 9600).open().is_err() { + if driver == "serial8250" && crate::SerialPort::builder().open(path).is_err() { continue; } } diff --git a/src/posix/error.rs b/src/sys/posix/error.rs similarity index 100% rename from src/posix/error.rs rename to src/sys/posix/error.rs diff --git a/src/posix/ioctl.rs b/src/sys/posix/ioctl.rs similarity index 100% rename from src/posix/ioctl.rs rename to src/sys/posix/ioctl.rs diff --git a/src/posix/mod.rs b/src/sys/posix/mod.rs similarity index 53% rename from src/posix/mod.rs rename to src/sys/posix/mod.rs index 1daf645a..522a9ec3 100644 --- a/src/posix/mod.rs +++ b/src/sys/posix/mod.rs @@ -1,5 +1,5 @@ -pub use self::enumerate::*; -pub use self::tty::*; +pub use enumerate::available_ports; +pub use tty::SerialPort; mod enumerate; mod error; diff --git a/src/posix/poll.rs b/src/sys/posix/poll.rs similarity index 67% rename from src/posix/poll.rs rename to src/sys/posix/poll.rs index f10d5b69..fb493884 100644 --- a/src/posix/poll.rs +++ b/src/sys/posix/poll.rs @@ -9,30 +9,35 @@ use nix::poll::{PollFd, PollFlags}; #[cfg(target_os = "linux")] use nix::sys::signal::SigSet; #[cfg(target_os = "linux")] -use nix::sys::time::{TimeSpec, TimeValLike}; +use nix::sys::time::TimeSpec; -pub fn wait_read_fd(fd: RawFd, timeout: Duration) -> io::Result<()> { +pub fn wait_read_fd(fd: RawFd, timeout: Option) -> io::Result<()> { wait_fd(fd, PollFlags::POLLIN, timeout) } -pub fn wait_write_fd(fd: RawFd, timeout: Duration) -> io::Result<()> { +pub fn wait_write_fd(fd: RawFd, timeout: Option) -> io::Result<()> { wait_fd(fd, PollFlags::POLLOUT, timeout) } -fn wait_fd(fd: RawFd, events: PollFlags, timeout: Duration) -> io::Result<()> { +fn wait_fd(fd: RawFd, events: PollFlags, timeout: Option) -> io::Result<()> { use nix::errno::Errno::{EIO, EPIPE}; let mut fd = PollFd::new(fd, events); - let milliseconds = - timeout.as_secs() as i64 * 1000 + i64::from(timeout.subsec_nanos()) / 1_000_000; #[cfg(target_os = "linux")] let wait_res = { - let timespec = TimeSpec::milliseconds(milliseconds); - nix::poll::ppoll(slice::from_mut(&mut fd), Some(timespec), SigSet::empty()) + let timespec = timeout.map(TimeSpec::from); + nix::poll::ppoll(slice::from_mut(&mut fd), timespec, SigSet::empty()) }; #[cfg(not(target_os = "linux"))] - let wait_res = nix::poll::poll(slice::from_mut(&mut fd), milliseconds as nix::libc::c_int); + let wait_res = { + use std::convert::TryFrom; + let milliseconds = match timeout { + Some(duration) => i32::try_from(duration.as_millis()).unwrap_or(i32::MAX), + None => -1, + }; + nix::poll::poll(slice::from_mut(&mut fd), milliseconds) + }; let wait = match wait_res { Ok(r) => r, diff --git a/src/posix/termios.rs b/src/sys/posix/termios.rs similarity index 97% rename from src/posix/termios.rs rename to src/sys/posix/termios.rs index 43c357e4..9395f119 100644 --- a/src/posix/termios.rs +++ b/src/sys/posix/termios.rs @@ -93,14 +93,14 @@ pub(crate) fn get_termios(fd: RawFd) -> Result { ) ))] pub(crate) fn get_termios(fd: RawFd) -> Result { - crate::posix::ioctl::tcgets2(fd).into() + crate::sys::posix::ioctl::tcgets2(fd).into() } #[cfg(any(target_os = "ios", target_os = "macos",))] pub(crate) fn set_termios(fd: RawFd, termios: &libc::termios, baud_rate: u32) -> Result<()> { let res = unsafe { libc::tcsetattr(fd, libc::TCSANOW, termios) }; nix::errno::Errno::result(res)?; - crate::posix::ioctl::iossiospeed(fd, &(baud_rate as libc::speed_t))?; + crate::sys::posix::ioctl::iossiospeed(fd, &(baud_rate as libc::speed_t))?; Ok(()) } @@ -136,7 +136,7 @@ pub(crate) fn set_termios(fd: RawFd, termios: &libc::termios) -> Result<()> { ) ))] pub(crate) fn set_termios(fd: RawFd, termios: &Termios) -> Result<()> { - crate::posix::ioctl::tcsets2(fd, &termios) + crate::sys::posix::ioctl::tcsets2(fd, &termios) } pub(crate) fn set_parity(termios: &mut Termios, parity: Parity) { diff --git a/src/posix/tty.rs b/src/sys/posix/tty.rs similarity index 79% rename from src/posix/tty.rs rename to src/sys/posix/tty.rs index 0750d4c3..72699244 100644 --- a/src/posix/tty.rs +++ b/src/sys/posix/tty.rs @@ -7,11 +7,12 @@ use std::{io, mem}; use nix::fcntl::{fcntl, OFlag}; use nix::{self, libc, unistd}; -use crate::posix::ioctl::{self, SerialLines}; -use crate::posix::termios; +use crate::posix::{BreakDuration, SerialPortExt}; +use crate::sys::posix::ioctl::{self, SerialLines}; +use crate::sys::posix::termios; use crate::{ - ClearBuffer, DataBits, Error, ErrorKind, FlowControl, Parity, Result, SerialPort, - SerialPortBuilder, StopBits, + ClearBuffer, DataBits, Error, ErrorKind, FlowControl, Parity, Result, SerialPortBuilder, + StopBits, }; /// Convenience method for removing exclusive access from @@ -34,35 +35,27 @@ fn close(fd: RawFd) { /// A serial port implementation for POSIX TTY ports /// /// The port will be closed when the value is dropped. However, this struct -/// should not be instantiated directly by using `TTYPort::open()`, instead use +/// should not be instantiated directly by using `SerialPort::open()`, instead use /// the cross-platform `serialport::open()` or /// `serialport::open_with_settings()`. #[derive(Debug)] -pub struct TTYPort { +pub struct SerialPort { fd: RawFd, - timeout: Duration, + read_timeout: Option, + write_timeout: Option, exclusive: bool, port_name: Option, #[cfg(any(target_os = "ios", target_os = "macos"))] baud_rate: u32, } -/// Specifies the duration of a transmission break -#[derive(Clone, Copy, Debug)] -pub enum BreakDuration { - /// 0.25-0.5s - Short, - /// Specifies a break duration that is platform-dependent - Arbitrary(std::num::NonZeroI32), -} - -impl TTYPort { +impl SerialPort { /// Opens a TTY device as a serial port. /// /// `path` should be the path to a TTY device, e.g., `/dev/ttyS0`. /// /// Ports are opened in exclusive mode by default. If this is undesireable - /// behavior, use `TTYPort::set_exclusive(false)`. + /// behavior, use `SerialPort::set_exclusive(false)`. /// /// ## Errors /// @@ -70,11 +63,11 @@ impl TTYPort { /// the device is already in use. /// * `InvalidInput` if `path` is not a valid device name. /// * `Io` for any other error while opening or initializing the device. - pub fn open(builder: &SerialPortBuilder) -> Result { + pub fn open(builder: SerialPortBuilder, path: impl AsRef) -> Result { use nix::fcntl::FcntlArg::F_SETFL; use nix::libc::{cfmakeraw, tcflush, tcgetattr, tcsetattr}; - let path = Path::new(&builder.path); + let path = path.as_ref(); let fd = nix::fcntl::open( path, OFlag::O_RDWR | OFlag::O_NOCTTY | OFlag::O_NONBLOCK, @@ -90,7 +83,7 @@ impl TTYPort { let mut termios = unsafe { termios.assume_init() }; // If any of these steps fail, then we should abort creation of the - // TTYPort and ensure the file descriptor is closed. + // SerialPort and ensure the file descriptor is closed. // So we wrap these calls in a block and check the result. { // setup TTY for binary serial port access @@ -146,49 +139,17 @@ impl TTYPort { termios::set_termios(fd, &termios)?; // Return the final port object - Ok(TTYPort { + Ok(SerialPort { fd, - timeout: builder.timeout, + read_timeout: builder.read_timeout, + write_timeout: builder.write_timeout, exclusive: false, - port_name: Some(builder.path.clone()), + port_name: Some(path.to_string_lossy().into_owned()), #[cfg(any(target_os = "ios", target_os = "macos"))] baud_rate: builder.baud_rate, }) } - /// Returns the exclusivity of the port - /// - /// If a port is exclusive, then trying to open the same device path again - /// will fail. - pub fn exclusive(&self) -> bool { - self.exclusive - } - - /// Sets the exclusivity of the port - /// - /// If a port is exclusive, then trying to open the same device path again - /// will fail. - /// - /// See the man pages for the tiocexcl and tiocnxcl ioctl's for more details. - /// - /// ## Errors - /// - /// * `Io` for any error while setting exclusivity for the port. - pub fn set_exclusive(&mut self, exclusive: bool) -> Result<()> { - let setting_result = if exclusive { - ioctl::tiocexcl(self.fd) - } else { - ioctl::tiocnxcl(self.fd) - }; - - if let Err(err) = setting_result { - Err(err) - } else { - self.exclusive = exclusive; - Ok(()) - } - } - fn set_pin(&mut self, pin: ioctl::SerialLines, level: bool) -> Result<()> { if level { ioctl::tiocmbis(self.fd, pin) @@ -201,110 +162,6 @@ impl TTYPort { ioctl::tiocmget(self.fd).map(|pins| pins.contains(pin)) } - /// Create a pair of pseudo serial terminals - /// - /// ## Returns - /// Two connected `TTYPort` objects: `(master, slave)` - /// - /// ## Errors - /// Attempting any IO or parameter settings on the slave tty after the master - /// tty is closed will return errors. - /// - /// On some platforms manipulating the master port will fail and only - /// modifying the slave port is possible. - /// - /// ## Examples - /// - /// ``` - /// use serialport::TTYPort; - /// - /// let (master, slave) = TTYPort::pair().unwrap(); - /// ``` - pub fn pair() -> Result<(Self, Self)> { - // Open the next free pty. - let next_pty_fd = nix::pty::posix_openpt(nix::fcntl::OFlag::O_RDWR)?; - - // Grant access to the associated slave pty - nix::pty::grantpt(&next_pty_fd)?; - - // Unlock the slave pty - nix::pty::unlockpt(&next_pty_fd)?; - - // Get the path of the attached slave ptty - #[cfg(not(any( - target_os = "linux", - target_os = "android", - target_os = "emscripten", - target_os = "fuchsia" - )))] - let ptty_name = unsafe { nix::pty::ptsname(&next_pty_fd)? }; - - #[cfg(any( - target_os = "linux", - target_os = "android", - target_os = "emscripten", - target_os = "fuchsia" - ))] - let ptty_name = nix::pty::ptsname_r(&next_pty_fd)?; - - // Open the slave port - #[cfg(any(target_os = "ios", target_os = "macos"))] - let baud_rate = 9600; - let fd = nix::fcntl::open( - Path::new(&ptty_name), - OFlag::O_RDWR | OFlag::O_NOCTTY | OFlag::O_NONBLOCK, - nix::sys::stat::Mode::empty(), - )?; - - // Set the port to a raw state. Using these ports will not work without this. - let mut termios = MaybeUninit::uninit(); - let res = unsafe { crate::posix::tty::libc::tcgetattr(fd, termios.as_mut_ptr()) }; - if let Err(e) = nix::errno::Errno::result(res) { - close(fd); - return Err(e.into()); - } - let mut termios = unsafe { termios.assume_init() }; - unsafe { crate::posix::tty::libc::cfmakeraw(&mut termios) }; - unsafe { crate::posix::tty::libc::tcsetattr(fd, libc::TCSANOW, &termios) }; - - fcntl( - fd, - nix::fcntl::FcntlArg::F_SETFL(nix::fcntl::OFlag::empty()), - )?; - - let slave_tty = TTYPort { - fd, - timeout: Duration::from_millis(100), - exclusive: true, - port_name: Some(ptty_name), - #[cfg(any(target_os = "ios", target_os = "macos"))] - baud_rate, - }; - - // Manually construct the master port here because the - // `tcgetattr()` doesn't work on Mac, Solaris, and maybe other - // BSDs when used on the master port. - let master_tty = TTYPort { - fd: next_pty_fd.into_raw_fd(), - timeout: Duration::from_millis(100), - exclusive: true, - port_name: None, - #[cfg(any(target_os = "ios", target_os = "macos"))] - baud_rate, - }; - - Ok((master_tty, slave_tty)) - } - - /// Sends 0-valued bits over the port for a set duration - pub fn send_break(&self, duration: BreakDuration) -> Result<()> { - match duration { - BreakDuration::Short => nix::sys::termios::tcsendbreak(self.fd, 0), - BreakDuration::Arbitrary(n) => nix::sys::termios::tcsendbreak(self.fd, n.get()), - } - .map_err(|e| e.into()) - } - /// Attempts to clone the `SerialPort`. This allow you to write and read simultaneously from the /// same serial connection. Please note that if you want a real asynchronous serial port you /// should look at [mio-serial](https://crates.io/crates/mio-serial) or @@ -314,104 +171,24 @@ impl TTYPort { /// the settings are cached on a per object basis, trying to modify them from two different /// objects can cause some nasty behavior. /// - /// This is the same as `SerialPort::try_clone()` but returns the concrete type instead. - /// /// # Errors /// /// This function returns an error if the serial port couldn't be cloned. - pub fn try_clone_native(&self) -> Result { + pub fn try_clone(&self) -> Result { let fd_cloned: i32 = fcntl(self.fd, nix::fcntl::F_DUPFD(self.fd))?; - Ok(TTYPort { + Ok(SerialPort { fd: fd_cloned, exclusive: self.exclusive, port_name: self.port_name.clone(), - timeout: self.timeout, + read_timeout: self.read_timeout, + write_timeout: self.write_timeout, #[cfg(any(target_os = "ios", target_os = "macos"))] baud_rate: self.baud_rate, }) } -} - -impl Drop for TTYPort { - fn drop(&mut self) { - close(self.fd); - } -} - -impl AsRawFd for TTYPort { - fn as_raw_fd(&self) -> RawFd { - self.fd - } -} - -impl IntoRawFd for TTYPort { - fn into_raw_fd(self) -> RawFd { - // Pull just the file descriptor out. We also prevent the destructor - // from being run by calling `mem::forget`. If we didn't do this, the - // port would be closed, which would make `into_raw_fd` unusable. - let TTYPort { fd, .. } = self; - mem::forget(self); - fd - } -} - -/// Get the baud speed for a port from its file descriptor -#[cfg(any(target_os = "ios", target_os = "macos"))] -fn get_termios_speed(fd: RawFd) -> u32 { - let mut termios = MaybeUninit::uninit(); - let res = unsafe { libc::tcgetattr(fd, termios.as_mut_ptr()) }; - nix::errno::Errno::result(res).expect("Failed to get termios data"); - let termios = unsafe { termios.assume_init() }; - assert_eq!(termios.c_ospeed, termios.c_ispeed); - termios.c_ospeed as u32 -} - -impl FromRawFd for TTYPort { - unsafe fn from_raw_fd(fd: RawFd) -> Self { - TTYPort { - fd, - timeout: Duration::from_millis(100), - exclusive: ioctl::tiocexcl(fd).is_ok(), - // It is not trivial to get the file path corresponding to a file descriptor. - // We'll punt on it and set it to `None` here. - port_name: None, - // It's not guaranteed that the baud rate in the `termios` struct is correct, as - // setting an arbitrary baud rate via the `iossiospeed` ioctl overrides that value, - // but extract that value anyways as a best-guess of the actual baud rate. - #[cfg(any(target_os = "ios", target_os = "macos"))] - baud_rate: get_termios_speed(fd), - } - } -} - -impl io::Read for TTYPort { - fn read(&mut self, buf: &mut [u8]) -> io::Result { - if let Err(e) = super::poll::wait_read_fd(self.fd, self.timeout) { - return Err(io::Error::from(Error::from(e))); - } - nix::unistd::read(self.fd, buf).map_err(|e| io::Error::from(Error::from(e))) - } -} - -impl io::Write for TTYPort { - fn write(&mut self, buf: &[u8]) -> io::Result { - if let Err(e) = super::poll::wait_write_fd(self.fd, self.timeout) { - return Err(io::Error::from(Error::from(e))); - } - - nix::unistd::write(self.fd, buf).map_err(|e| io::Error::from(Error::from(e))) - } - - fn flush(&mut self) -> io::Result<()> { - nix::sys::termios::tcdrain(self.fd) - .map_err(|_| io::Error::new(io::ErrorKind::Other, "flush failed")) - } -} - -impl SerialPort for TTYPort { - fn name(&self) -> Option { - self.port_name.clone() + pub fn name(&self) -> Option<&str> { + self.port_name.as_ref().map(|s| &**s) } /// Returns the port's baud rate @@ -429,7 +206,7 @@ impl SerialPort for TTYPort { )) ) ))] - fn baud_rate(&self) -> Result { + pub fn baud_rate(&self) -> Result { let termios2 = ioctl::tcgets2(self.fd)?; assert!(termios2.c_ospeed == termios2.c_ispeed); @@ -447,7 +224,7 @@ impl SerialPort for TTYPort { target_os = "netbsd", target_os = "openbsd" ))] - fn baud_rate(&self) -> Result { + pub fn baud_rate(&self) -> Result { let termios = termios::get_termios(self.fd)?; let ospeed = unsafe { libc::cfgetospeed(&termios) }; @@ -463,7 +240,7 @@ impl SerialPort for TTYPort { /// On some platforms this will be the actual device baud rate, which may differ from the /// desired baud rate. #[cfg(any(target_os = "ios", target_os = "macos"))] - fn baud_rate(&self) -> Result { + pub fn baud_rate(&self) -> Result { Ok(self.baud_rate) } @@ -479,7 +256,7 @@ impl SerialPort for TTYPort { target_arch = "powerpc64" ) ))] - fn baud_rate(&self) -> Result { + pub fn baud_rate(&self) -> Result { use self::libc::{ B1000000, B1152000, B1500000, B2000000, B2500000, B3000000, B3500000, B4000000, B460800, B500000, B576000, B921600, @@ -532,7 +309,7 @@ impl SerialPort for TTYPort { Ok(res) } - fn data_bits(&self) -> Result { + pub fn data_bits(&self) -> Result { let termios = termios::get_termios(self.fd)?; match termios.c_cflag & libc::CSIZE { libc::CS8 => Ok(DataBits::Eight), @@ -546,7 +323,7 @@ impl SerialPort for TTYPort { } } - fn flow_control(&self) -> Result { + pub fn flow_control(&self) -> Result { let termios = termios::get_termios(self.fd)?; if termios.c_cflag & libc::CRTSCTS == libc::CRTSCTS { Ok(FlowControl::Hardware) @@ -557,7 +334,7 @@ impl SerialPort for TTYPort { } } - fn parity(&self) -> Result { + pub fn parity(&self) -> Result { let termios = termios::get_termios(self.fd)?; if termios.c_cflag & libc::PARENB == libc::PARENB { if termios.c_cflag & libc::PARODD == libc::PARODD { @@ -570,7 +347,7 @@ impl SerialPort for TTYPort { } } - fn stop_bits(&self) -> Result { + pub fn stop_bits(&self) -> Result { let termios = termios::get_termios(self.fd)?; if termios.c_cflag & libc::CSTOPB == libc::CSTOPB { Ok(StopBits::Two) @@ -579,8 +356,12 @@ impl SerialPort for TTYPort { } } - fn timeout(&self) -> Duration { - self.timeout + pub fn read_timeout(&self) -> Option { + self.read_timeout + } + + pub fn write_timeout(&self) -> Option { + self.write_timeout } #[cfg(any( @@ -591,7 +372,7 @@ impl SerialPort for TTYPort { target_os = "openbsd", target_os = "linux" ))] - fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { + pub fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { let mut termios = termios::get_termios(self.fd)?; termios::set_baud_rate(&mut termios, baud_rate); termios::set_termios(self.fd, &termios) @@ -599,13 +380,13 @@ impl SerialPort for TTYPort { // Mac OS needs special logic for setting arbitrary baud rates. #[cfg(any(target_os = "ios", target_os = "macos"))] - fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { + pub fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { ioctl::iossiospeed(self.fd, &(baud_rate as libc::speed_t))?; self.baud_rate = baud_rate; Ok(()) } - fn set_flow_control(&mut self, flow_control: FlowControl) -> Result<()> { + pub fn set_flow_control(&mut self, flow_control: FlowControl) -> Result<()> { let mut termios = termios::get_termios(self.fd)?; termios::set_flow_control(&mut termios, flow_control); #[cfg(any(target_os = "ios", target_os = "macos"))] @@ -614,7 +395,7 @@ impl SerialPort for TTYPort { return termios::set_termios(self.fd, &termios); } - fn set_parity(&mut self, parity: Parity) -> Result<()> { + pub fn set_parity(&mut self, parity: Parity) -> Result<()> { let mut termios = termios::get_termios(self.fd)?; termios::set_parity(&mut termios, parity); #[cfg(any(target_os = "ios", target_os = "macos"))] @@ -623,7 +404,7 @@ impl SerialPort for TTYPort { return termios::set_termios(self.fd, &termios); } - fn set_data_bits(&mut self, data_bits: DataBits) -> Result<()> { + pub fn set_data_bits(&mut self, data_bits: DataBits) -> Result<()> { let mut termios = termios::get_termios(self.fd)?; termios::set_data_bits(&mut termios, data_bits); #[cfg(any(target_os = "ios", target_os = "macos"))] @@ -632,7 +413,7 @@ impl SerialPort for TTYPort { return termios::set_termios(self.fd, &termios); } - fn set_stop_bits(&mut self, stop_bits: StopBits) -> Result<()> { + pub fn set_stop_bits(&mut self, stop_bits: StopBits) -> Result<()> { let mut termios = termios::get_termios(self.fd)?; termios::set_stop_bits(&mut termios, stop_bits); #[cfg(any(target_os = "ios", target_os = "macos"))] @@ -641,44 +422,49 @@ impl SerialPort for TTYPort { return termios::set_termios(self.fd, &termios); } - fn set_timeout(&mut self, timeout: Duration) -> Result<()> { - self.timeout = timeout; + pub fn set_read_timeout(&mut self, read_timeout: Option) -> Result<()> { + self.read_timeout = read_timeout; + Ok(()) + } + + pub fn set_write_timeout(&mut self, write_timeout: Option) -> Result<()> { + self.write_timeout = write_timeout; Ok(()) } - fn write_request_to_send(&mut self, level: bool) -> Result<()> { + pub fn write_request_to_send(&mut self, level: bool) -> Result<()> { self.set_pin(SerialLines::REQUEST_TO_SEND, level) } - fn write_data_terminal_ready(&mut self, level: bool) -> Result<()> { + pub fn write_data_terminal_ready(&mut self, level: bool) -> Result<()> { self.set_pin(SerialLines::DATA_TERMINAL_READY, level) } - fn read_clear_to_send(&mut self) -> Result { + pub fn read_clear_to_send(&mut self) -> Result { self.read_pin(SerialLines::CLEAR_TO_SEND) } - fn read_data_set_ready(&mut self) -> Result { + pub fn read_data_set_ready(&mut self) -> Result { self.read_pin(SerialLines::DATA_SET_READY) } - fn read_ring_indicator(&mut self) -> Result { + pub fn read_ring_indicator(&mut self) -> Result { self.read_pin(SerialLines::RING) } - fn read_carrier_detect(&mut self) -> Result { + pub fn read_carrier_detect(&mut self) -> Result { self.read_pin(SerialLines::DATA_CARRIER_DETECT) } - fn bytes_to_read(&self) -> Result { + pub fn bytes_to_read(&self) -> Result { ioctl::fionread(self.fd) } - fn bytes_to_write(&self) -> Result { + pub fn bytes_to_write(&self) -> Result { ioctl::tiocoutq(self.fd) } - fn clear(&self, buffer_to_clear: ClearBuffer) -> Result<()> { + pub fn clear(&self, buffer_to_clear: ClearBuffer) -> Result<()> { let buffer_id = match buffer_to_clear { ClearBuffer::Input => libc::TCIFLUSH, ClearBuffer::Output => libc::TCOFLUSH, @@ -692,19 +478,257 @@ impl SerialPort for TTYPort { .map_err(|e| e.into()) } - fn try_clone(&self) -> Result> { - match self.try_clone_native() { - Ok(p) => Ok(Box::new(p)), - Err(e) => Err(e), + pub fn set_break(&self) -> Result<()> { + ioctl::tiocsbrk(self.fd) + } + + pub fn clear_break(&self) -> Result<()> { + ioctl::tioccbrk(self.fd) + } +} + +impl Drop for SerialPort { + fn drop(&mut self) { + close(self.fd); + } +} + +impl AsRawFd for SerialPort { + fn as_raw_fd(&self) -> RawFd { + self.fd + } +} + +impl AsRawFd for crate::SerialPort { + fn as_raw_fd(&self) -> RawFd { + self.0.as_raw_fd() + } +} + +impl IntoRawFd for SerialPort { + fn into_raw_fd(mut self) -> RawFd { + // into_raw_fd needs to remove the file descriptor from the `SerialPort` + // to return it, but also needs to prevent Drop from being called, since + // that would close the file descriptor and make `into_raw_fd` unusuable. + // However, we also want to avoid leaking the rest of the contents of the + // struct, so we either need to take it out or be sure it doesn't need to + // be dropped. + let fd = self.fd; + // Currently port_name is the only field that needs to be dropped, and we + // can do that by taking it out of the optional before we forget the struct. + self.port_name.take(); + mem::forget(self); + fd + } +} + +impl IntoRawFd for crate::SerialPort { + fn into_raw_fd(self) -> RawFd { + // crate::SerialPort doesn't explicitly implement Drop, so we can just take + // out the inner value. + self.0.into_raw_fd() + } +} + +/// Get the baud speed for a port from its file descriptor +#[cfg(any(target_os = "ios", target_os = "macos"))] +fn get_termios_speed(fd: RawFd) -> u32 { + let mut termios = MaybeUninit::uninit(); + let res = unsafe { libc::tcgetattr(fd, termios.as_mut_ptr()) }; + nix::errno::Errno::result(res).expect("Failed to get termios data"); + let termios = unsafe { termios.assume_init() }; + assert_eq!(termios.c_ospeed, termios.c_ispeed); + termios.c_ospeed as u32 +} + +impl FromRawFd for SerialPort { + unsafe fn from_raw_fd(fd: RawFd) -> Self { + SerialPort { + fd, + read_timeout: None, + write_timeout: None, + exclusive: ioctl::tiocexcl(fd).is_ok(), + // It is not trivial to get the file path corresponding to a file descriptor. + // We'll punt on it and set it to `None` here. + port_name: None, + // It's not guaranteed that the baud rate in the `termios` struct is correct, as + // setting an arbitrary baud rate via the `iossiospeed` ioctl overrides that value, + // but extract that value anyways as a best-guess of the actual baud rate. + #[cfg(any(target_os = "ios", target_os = "macos"))] + baud_rate: get_termios_speed(fd), } } +} - fn set_break(&self) -> Result<()> { - ioctl::tiocsbrk(self.fd) +impl FromRawFd for crate::SerialPort { + unsafe fn from_raw_fd(fd: RawFd) -> Self { + crate::SerialPort(SerialPort::from_raw_fd(fd)) } +} - fn clear_break(&self) -> Result<()> { - ioctl::tioccbrk(self.fd) +impl io::Read for &SerialPort { + fn read(&mut self, buf: &mut [u8]) -> io::Result { + if let Err(e) = super::poll::wait_read_fd(self.fd, self.read_timeout) { + return Err(io::Error::from(Error::from(e))); + } + + nix::unistd::read(self.fd, buf).map_err(|e| io::Error::from(Error::from(e))) + } +} + +impl io::Write for &SerialPort { + fn write(&mut self, buf: &[u8]) -> io::Result { + if let Err(e) = super::poll::wait_write_fd(self.fd, self.write_timeout) { + return Err(io::Error::from(Error::from(e))); + } + + nix::unistd::write(self.fd, buf).map_err(|e| io::Error::from(Error::from(e))) + } + + fn flush(&mut self) -> io::Result<()> { + nix::sys::termios::tcdrain(self.fd) + .map_err(|_| io::Error::new(io::ErrorKind::Other, "flush failed")) + } +} + +impl SerialPortExt for SerialPort { + /// Create a pair of pseudo serial terminals + /// + /// ## Returns + /// Two connected `SerialPort` objects: `(master, slave)` + /// + /// ## Errors + /// Attempting any IO or parameter settings on the slave tty after the master + /// tty is closed will return errors. + /// + /// On some platforms manipulating the master port will fail and only + /// modifying the slave port is possible. + /// + /// ## Examples + /// + /// ``` + /// use serialport::{SerialPort, posix::SerialPortExt}; + /// + /// let (master, slave) = SerialPort::pair().unwrap(); + /// ``` + fn pair() -> Result<(Self, Self)> { + // Open the next free pty. + let next_pty_fd = nix::pty::posix_openpt(nix::fcntl::OFlag::O_RDWR)?; + + // Grant access to the associated slave pty + nix::pty::grantpt(&next_pty_fd)?; + + // Unlock the slave pty + nix::pty::unlockpt(&next_pty_fd)?; + + // Get the path of the attached slave ptty + #[cfg(not(any( + target_os = "linux", + target_os = "android", + target_os = "emscripten", + target_os = "fuchsia" + )))] + let ptty_name = unsafe { nix::pty::ptsname(&next_pty_fd)? }; + + #[cfg(any( + target_os = "linux", + target_os = "android", + target_os = "emscripten", + target_os = "fuchsia" + ))] + let ptty_name = nix::pty::ptsname_r(&next_pty_fd)?; + + // Open the slave port + #[cfg(any(target_os = "ios", target_os = "macos"))] + let baud_rate = 9600; + let fd = nix::fcntl::open( + Path::new(&ptty_name), + OFlag::O_RDWR | OFlag::O_NOCTTY | OFlag::O_NONBLOCK, + nix::sys::stat::Mode::empty(), + )?; + + // Set the port to a raw state. Using these ports will not work without this. + let mut termios = MaybeUninit::uninit(); + let res = unsafe { crate::sys::posix::tty::libc::tcgetattr(fd, termios.as_mut_ptr()) }; + if let Err(e) = nix::errno::Errno::result(res) { + close(fd); + return Err(e.into()); + } + let mut termios = unsafe { termios.assume_init() }; + unsafe { crate::sys::posix::tty::libc::cfmakeraw(&mut termios) }; + unsafe { crate::sys::posix::tty::libc::tcsetattr(fd, libc::TCSANOW, &termios) }; + + fcntl( + fd, + nix::fcntl::FcntlArg::F_SETFL(nix::fcntl::OFlag::empty()), + )?; + + let slave_tty = SerialPort { + fd, + read_timeout: None, + write_timeout: None, + exclusive: true, + port_name: Some(ptty_name), + #[cfg(any(target_os = "ios", target_os = "macos"))] + baud_rate, + }; + + // Manually construct the master port here because the + // `tcgetattr()` doesn't work on Mac, Solaris, and maybe other + // BSDs when used on the master port. + let master_tty = SerialPort { + fd: next_pty_fd.into_raw_fd(), + read_timeout: None, + write_timeout: None, + exclusive: true, + port_name: None, + #[cfg(any(target_os = "ios", target_os = "macos"))] + baud_rate, + }; + + Ok((master_tty, slave_tty)) + } + + /// Returns the exclusivity of the port + /// + /// If a port is exclusive, then trying to open the same device path again + /// will fail. + fn exclusive(&self) -> bool { + self.exclusive + } + + /// Sets the exclusivity of the port + /// + /// If a port is exclusive, then trying to open the same device path again + /// will fail. + /// + /// See the man pages for the tiocexcl and tiocnxcl ioctl's for more details. + /// + /// ## Errors + /// + /// * `Io` for any error while setting exclusivity for the port. + fn set_exclusive(&mut self, exclusive: bool) -> Result<()> { + let setting_result = if exclusive { + ioctl::tiocexcl(self.fd) + } else { + ioctl::tiocnxcl(self.fd) + }; + + if let Err(err) = setting_result { + Err(err) + } else { + self.exclusive = exclusive; + Ok(()) + } + } + + /// Sends 0-valued bits over the port for a set duration + fn send_break(&self, duration: BreakDuration) -> Result<()> { + match duration { + BreakDuration::Short => nix::sys::termios::tcsendbreak(self.fd, 0), + BreakDuration::Arbitrary(n) => nix::sys::termios::tcsendbreak(self.fd, n.get()), + } + .map_err(|e| e.into()) } } @@ -713,9 +737,9 @@ fn test_ttyport_into_raw_fd() { // `master` must be used here as Dropping it causes slave to be deleted by the OS. // TODO: Convert this to a statement-level attribute once // https://github.com/rust-lang/rust/issues/15701 is on stable. - // FIXME: Create a mutex across all tests for using `TTYPort::pair()` as it's not threadsafe + // FIXME: Create a mutex across all tests for using `SerialPort::pair()` as it's not threadsafe #![allow(unused_variables)] - let (master, slave) = TTYPort::pair().expect("Unable to create ptty pair"); + let (master, slave) = SerialPort::pair().expect("Unable to create ptty pair"); // First test with the master let master_fd = master.into_raw_fd(); diff --git a/src/sys/unsupported.rs b/src/sys/unsupported.rs new file mode 100644 index 00000000..57159fa4 --- /dev/null +++ b/src/sys/unsupported.rs @@ -0,0 +1,139 @@ +use std::io; + +use crate::{Error, ErrorKind, Result, SerialPortInfo}; + +pub fn available_ports() -> Result> { + Err(Error::new( + ErrorKind::Unknown, + "available_ports() not implemented for platform", + )) +} + +/// Unsupported serial port type can never be constructed. +#[derive(Debug)] +pub enum SerialPort {} + +impl SerialPort { + pub fn open(builder: SerialPortBuilder, path: impl AsRef) -> Result { + Err(Error::new( + ErrorKind::Unknown, + "open() not implemented for platform", + )) + } + + pub fn name(&self) -> Option<&str> { + unimplemented!() + } + + pub fn timeout(&self) -> Duration { + unimplemented!() + } + + pub fn set_timeout(&mut self, timeout: Duration) -> Result<()> { + unimplemented!() + } + + pub fn write_request_to_send(&mut self, level: bool) -> Result<()> { + unimplemented!() + } + + pub fn write_data_terminal_ready(&mut self, level: bool) -> Result<()> { + unimplemented!() + } + + pub fn read_clear_to_send(&mut self) -> Result { + unimplemented!() + } + + pub fn read_data_set_ready(&mut self) -> Result { + unimplemented!() + } + + pub fn read_ring_indicator(&mut self) -> Result { + unimplemented!() + } + + pub fn read_carrier_detect(&mut self) -> Result { + unimplemented!() + } + + pub fn baud_rate(&self) -> Result { + unimplemented!() + } + + pub fn data_bits(&self) -> Result { + unimplemented!() + } + + pub fn parity(&self) -> Result { + unimplemented!() + } + + pub fn stop_bits(&self) -> Result { + unimplemented!() + } + + pub fn flow_control(&self) -> Result { + unimplemented!() + } + + pub fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { + unimplemented!() + } + + pub fn set_data_bits(&mut self, data_bits: DataBits) -> Result<()> { + unimplemented!() + } + + pub fn set_parity(&mut self, parity: Parity) -> Result<()> { + unimplemented!() + } + + pub fn set_stop_bits(&mut self, stop_bits: StopBits) -> Result<()> { + unimplemented!() + } + + pub fn set_flow_control(&mut self, flow_control: FlowControl) -> Result<()> { + unimplemented!() + } + + pub fn bytes_to_read(&self) -> Result { + unimplemented!() + } + + pub fn bytes_to_write(&self) -> Result { + unimplemented!() + } + + pub fn clear(&self, buffer_to_clear: ClearBuffer) -> Result<()> { + unimplemented!() + } + + pub fn try_clone(&self) -> Result { + unimplemented!() + } + + pub fn set_break(&self) -> Result<()> { + unimplemented!() + } + + pub fn clear_break(&self) -> Result<()> { + unimplemented!() + } +} + +impl io::Read for &SerialPort { + fn read(&mut self, buf: &mut [u8]) -> io::Result { + unimplemented!() + } +} + +impl io::Write for &SerialPort { + fn write(&mut self, buf: &[u8]) -> io::Result { + unimplemented!() + } + + fn flush(&mut self) -> io::Result<()> { + unimplemented!() + } +} diff --git a/src/sys/windows/com.rs b/src/sys/windows/com.rs new file mode 100644 index 00000000..152b79fc --- /dev/null +++ b/src/sys/windows/com.rs @@ -0,0 +1,595 @@ +use std::convert::TryFrom; +use std::ffi::OsStr; +use std::mem::MaybeUninit; +use std::os::windows::prelude::*; +use std::path::Path; +use std::time::Duration; +use std::{io, mem, ptr}; + +use winapi::shared::minwindef::*; +use winapi::shared::winerror::ERROR_IO_PENDING; +use winapi::um::commapi::*; +use winapi::um::errhandlingapi::GetLastError; +use winapi::um::fileapi::*; +use winapi::um::handleapi::*; +use winapi::um::ioapiset::GetOverlappedResult; +use winapi::um::minwinbase::OVERLAPPED; +use winapi::um::processthreadsapi::GetCurrentProcess; +use winapi::um::winbase::*; +use winapi::um::winnt::{ + DUPLICATE_SAME_ACCESS, FILE_ATTRIBUTE_NORMAL, GENERIC_READ, GENERIC_WRITE, HANDLE, +}; + +use crate::sys::windows::dcb; +use crate::sys::windows::event_cache::{EventCache, CacheType}; +use crate::windows::{CommTimeouts, SerialPortExt}; +use crate::{ + ClearBuffer, DataBits, Error, ErrorKind, FlowControl, Parity, Result, SerialPortBuilder, + StopBits, +}; + +/// A serial port implementation for Windows COM ports +/// +/// The port will be closed when the value is dropped. However, this struct +/// should not be instantiated directly by using `SerialPort::open()`, instead use +/// the cross-platform `serialport::open()` or +/// `serialport::open_with_settings()`. +#[derive(Debug)] +pub struct SerialPort { + handle: HANDLE, + read_event: EventCache, + write_event: EventCache, + read_timeout: Option, + write_timeout: Option, + port_name: Option, +} + +unsafe impl Send for SerialPort {} +unsafe impl Sync for SerialPort {} + +impl SerialPort { + /// Opens a COM port as a serial device. + /// + /// `port` should be the name of a COM port, e.g., `COM1`. + /// + /// If the COM port handle needs to be opened with special flags, use + /// `from_raw_handle` method to create the `SerialPort`. Note that you should + /// set the different settings before using the serial port using `set_all`. + /// + /// ## Errors + /// + /// * `NoDevice` if the device could not be opened. This could indicate that + /// the device is already in use. + /// * `InvalidInput` if `port` is not a valid device name. + /// * `Io` for any other I/O error while opening or initializing the device. + pub fn open(builder: SerialPortBuilder, path: impl AsRef) -> Result { + let path = path.as_ref(); + + let name: Vec = OsStr::new(r"\\.\") + .encode_wide() + .chain(path.as_os_str().encode_wide()) + .chain(std::iter::once(0)) + .collect(); + + let handle = unsafe { + CreateFileW( + name.as_ptr(), + GENERIC_READ | GENERIC_WRITE, + 0, + ptr::null_mut(), + OPEN_EXISTING, + FILE_ATTRIBUTE_NORMAL | FILE_FLAG_OVERLAPPED, + 0 as HANDLE, + ) + }; + + if handle == INVALID_HANDLE_VALUE { + return Err(super::error::last_os_error()); + } + + let mut dcb = dcb::get_dcb(handle)?; + dcb::init(&mut dcb); + dcb::set_baud_rate(&mut dcb, builder.baud_rate); + dcb::set_data_bits(&mut dcb, builder.data_bits); + dcb::set_parity(&mut dcb, builder.parity); + dcb::set_stop_bits(&mut dcb, builder.stop_bits); + dcb::set_flow_control(&mut dcb, builder.flow_control); + dcb::set_dcb(handle, dcb)?; + + let mut com = SerialPort::open_from_raw_handle(handle as RawHandle); + com.set_timeouts(builder.read_timeout, builder.write_timeout)?; + com.port_name = Some(path.to_string_lossy().into_owned()); + com.clear(ClearBuffer::All).unwrap(); + Ok(com) + } + + /// Attempts to clone the `SerialPort`. This allow you to write and read simultaneously from the + /// same serial connection. Please note that if you want a real asynchronous serial port you + /// should look at [mio-serial](https://crates.io/crates/mio-serial) or + /// [tokio-serial](https://crates.io/crates/tokio-serial). + /// + /// Also, you must be very careful when changing the settings of a cloned `SerialPort` : since + /// the settings are cached on a per object basis, trying to modify them from two different + /// objects can cause some nasty behavior. + /// + /// # Errors + /// + /// This function returns an error if the serial port couldn't be cloned. + pub fn try_clone(&self) -> Result { + let process_handle: HANDLE = unsafe { GetCurrentProcess() }; + let mut cloned_handle: HANDLE = INVALID_HANDLE_VALUE; + unsafe { + DuplicateHandle( + process_handle, + self.handle, + process_handle, + &mut cloned_handle, + 0, + TRUE, + DUPLICATE_SAME_ACCESS, + ); + } + if cloned_handle != INVALID_HANDLE_VALUE { + Ok(SerialPort { + handle: cloned_handle, + read_event: EventCache::new(CacheType::Read), + write_event: EventCache::new(CacheType::Write), + port_name: self.port_name.clone(), + read_timeout: self.read_timeout, + write_timeout: self.write_timeout, + }) + } else { + Err(super::error::last_os_error()) + } + } + + fn escape_comm_function(&mut self, function: DWORD) -> Result<()> { + match unsafe { EscapeCommFunction(self.handle, function) } { + 0 => Err(super::error::last_os_error()), + _ => Ok(()), + } + } + + fn read_pin(&mut self, pin: DWORD) -> Result { + let mut status: DWORD = 0; + + match unsafe { GetCommModemStatus(self.handle, &mut status) } { + 0 => Err(super::error::last_os_error()), + _ => Ok(status & pin != 0), + } + } + + fn open_from_raw_handle(handle: RawHandle) -> Self { + SerialPort { + handle: handle as HANDLE, + read_event: EventCache::new(CacheType::Read), + write_event: EventCache::new(CacheType::Write), + // It's possible to retrieve the COMMTIMEOUTS struct from the handle, + // but mapping that back to simple timeout durations would be difficult. + // Instead we just set `None` and add a warning to `FromRawHandle`. + read_timeout: None, + write_timeout: None, + // It is not trivial to get the file path corresponding to a handle. + // We'll punt and set it `None` here. + port_name: None, + } + } + + pub fn name(&self) -> Option<&str> { + self.port_name.as_ref().map(|s| &**s) + } + + pub fn read_timeout(&self) -> Option { + self.read_timeout + } + + pub fn write_timeout(&self) -> Option { + self.write_timeout + } + + pub fn set_read_timeout(&mut self, read_timeout: Option) -> Result<()> { + self.set_timeouts(read_timeout, self.write_timeout) + } + + pub fn set_write_timeout(&mut self, write_timeout: Option) -> Result<()> { + self.set_timeouts(self.read_timeout, write_timeout) + } + + fn set_timeouts( + &mut self, + read_timeout: Option, + write_timeout: Option, + ) -> Result<()> { + let read_timeout_ms = match read_timeout { + Some(duration) => { + DWORD::try_from(duration.as_millis()).map_or(DWORD::MAX, |timeout| timeout.max(1)) + } + None => 0, + }; + + let write_timeout_ms = match write_timeout { + Some(duration) => { + DWORD::try_from(duration.as_millis()).map_or(DWORD::MAX, |timeout| timeout.max(1)) + } + None => 0, + }; + + let mut timeouts = COMMTIMEOUTS { + ReadIntervalTimeout: 1, + ReadTotalTimeoutMultiplier: 0, + ReadTotalTimeoutConstant: read_timeout_ms, + WriteTotalTimeoutMultiplier: 0, + WriteTotalTimeoutConstant: write_timeout_ms, + }; + + if unsafe { SetCommTimeouts(self.handle, &mut timeouts) } == FALSE { + return Err(super::error::last_os_error()); + } + + self.read_timeout = read_timeout; + self.write_timeout = write_timeout; + Ok(()) + } + + pub fn write_request_to_send(&mut self, level: bool) -> Result<()> { + if level { + self.escape_comm_function(SETRTS) + } else { + self.escape_comm_function(CLRRTS) + } + } + + pub fn write_data_terminal_ready(&mut self, level: bool) -> Result<()> { + if level { + self.escape_comm_function(SETDTR) + } else { + self.escape_comm_function(CLRDTR) + } + } + + pub fn read_clear_to_send(&mut self) -> Result { + self.read_pin(MS_CTS_ON) + } + + pub fn read_data_set_ready(&mut self) -> Result { + self.read_pin(MS_DSR_ON) + } + + pub fn read_ring_indicator(&mut self) -> Result { + self.read_pin(MS_RING_ON) + } + + pub fn read_carrier_detect(&mut self) -> Result { + self.read_pin(MS_RLSD_ON) + } + + pub fn baud_rate(&self) -> Result { + let dcb = dcb::get_dcb(self.handle)?; + Ok(dcb.BaudRate as u32) + } + + pub fn data_bits(&self) -> Result { + let dcb = dcb::get_dcb(self.handle)?; + match dcb.ByteSize { + 5 => Ok(DataBits::Five), + 6 => Ok(DataBits::Six), + 7 => Ok(DataBits::Seven), + 8 => Ok(DataBits::Eight), + _ => Err(Error::new( + ErrorKind::Unknown, + "Invalid data bits setting encountered", + )), + } + } + + pub fn parity(&self) -> Result { + let dcb = dcb::get_dcb(self.handle)?; + match dcb.Parity { + ODDPARITY => Ok(Parity::Odd), + EVENPARITY => Ok(Parity::Even), + NOPARITY => Ok(Parity::None), + _ => Err(Error::new( + ErrorKind::Unknown, + "Invalid parity bits setting encountered", + )), + } + } + + pub fn stop_bits(&self) -> Result { + let dcb = dcb::get_dcb(self.handle)?; + match dcb.StopBits { + TWOSTOPBITS => Ok(StopBits::Two), + ONESTOPBIT => Ok(StopBits::One), + _ => Err(Error::new( + ErrorKind::Unknown, + "Invalid stop bits setting encountered", + )), + } + } + + pub fn flow_control(&self) -> Result { + let dcb = dcb::get_dcb(self.handle)?; + if dcb.fOutxCtsFlow() != 0 || dcb.fRtsControl() != 0 { + Ok(FlowControl::Hardware) + } else if dcb.fOutX() != 0 || dcb.fInX() != 0 { + Ok(FlowControl::Software) + } else { + Ok(FlowControl::None) + } + } + + pub fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { + let mut dcb = dcb::get_dcb(self.handle)?; + dcb::set_baud_rate(&mut dcb, baud_rate); + dcb::set_dcb(self.handle, dcb) + } + + pub fn set_data_bits(&mut self, data_bits: DataBits) -> Result<()> { + let mut dcb = dcb::get_dcb(self.handle)?; + dcb::set_data_bits(&mut dcb, data_bits); + dcb::set_dcb(self.handle, dcb) + } + + pub fn set_parity(&mut self, parity: Parity) -> Result<()> { + let mut dcb = dcb::get_dcb(self.handle)?; + dcb::set_parity(&mut dcb, parity); + dcb::set_dcb(self.handle, dcb) + } + + pub fn set_stop_bits(&mut self, stop_bits: StopBits) -> Result<()> { + let mut dcb = dcb::get_dcb(self.handle)?; + dcb::set_stop_bits(&mut dcb, stop_bits); + dcb::set_dcb(self.handle, dcb) + } + + pub fn set_flow_control(&mut self, flow_control: FlowControl) -> Result<()> { + let mut dcb = dcb::get_dcb(self.handle)?; + dcb::set_flow_control(&mut dcb, flow_control); + dcb::set_dcb(self.handle, dcb) + } + + pub fn bytes_to_read(&self) -> Result { + let mut errors: DWORD = 0; + let mut comstat = MaybeUninit::uninit(); + + if unsafe { ClearCommError(self.handle, &mut errors, comstat.as_mut_ptr()) != 0 } { + unsafe { Ok(comstat.assume_init().cbInQue) } + } else { + Err(super::error::last_os_error()) + } + } + + pub fn bytes_to_write(&self) -> Result { + let mut errors: DWORD = 0; + let mut comstat = MaybeUninit::uninit(); + + if unsafe { ClearCommError(self.handle, &mut errors, comstat.as_mut_ptr()) != 0 } { + unsafe { Ok(comstat.assume_init().cbOutQue) } + } else { + Err(super::error::last_os_error()) + } + } + + pub fn clear(&self, buffer_to_clear: ClearBuffer) -> Result<()> { + let buffer_flags = match buffer_to_clear { + ClearBuffer::Input => PURGE_RXABORT | PURGE_RXCLEAR, + ClearBuffer::Output => PURGE_TXABORT | PURGE_TXCLEAR, + ClearBuffer::All => PURGE_RXABORT | PURGE_RXCLEAR | PURGE_TXABORT | PURGE_TXCLEAR, + }; + + if unsafe { PurgeComm(self.handle, buffer_flags) != 0 } { + Ok(()) + } else { + Err(super::error::last_os_error()) + } + } + + pub fn set_break(&self) -> Result<()> { + if unsafe { SetCommBreak(self.handle) != 0 } { + Ok(()) + } else { + Err(super::error::last_os_error()) + } + } + + pub fn clear_break(&self) -> Result<()> { + if unsafe { ClearCommBreak(self.handle) != 0 } { + Ok(()) + } else { + Err(super::error::last_os_error()) + } + } +} + +impl Drop for SerialPort { + fn drop(&mut self) { + unsafe { + CloseHandle(self.handle); + } + } +} + +impl AsRawHandle for SerialPort { + fn as_raw_handle(&self) -> RawHandle { + self.handle as RawHandle + } +} + +impl AsRawHandle for crate::SerialPort { + fn as_raw_handle(&self) -> RawHandle { + self.0.as_raw_handle() + } +} + +impl IntoRawHandle for SerialPort { + fn into_raw_handle(mut self) -> RawHandle { + // into_raw_handle needs to remove the handle from the `SerialPort` to + // return it, but also needs to prevent Drop from being called, since + // that would close the handle and make `into_raw_handle` unusuable. + // However, we also want to avoid leaking the rest of the contents of the + // struct, so we either need to take it out or be sure it doesn't need to + // be dropped. + let handle = self.handle; + // Take the port_name out of the option to drop it now. + self.port_name.take(); + + // Read out both the read_event and write event into different variables + // before forgetting. This is to prevent a double-free, which could happen + // if either of their destructors panics. For example, suppose we instead + // did ptr::drop_in_place(&self.read_event); If that call panics, we will + // double-free read_event, since we haven't forgotten self yet so the + // destructor for SerialPort will run and try to drop read_event again. + // This is even worse for write_event, since that would double-free both + // read_event and write_event. Therefore we want to pull these both out + // without dropping them, then forget self, then drop them, so that at + // worst a panic causes us to leak a handle rather than double-free. + // + // Unsafe safety: these reads are safe because we are going to forget + // self afterward so won't double-free. + let _read_event = unsafe { ptr::read(&self.read_event) }; + let _write_event = unsafe { ptr::read(&self.write_event) }; + mem::forget(self); + handle as RawHandle + } +} + +impl IntoRawHandle for crate::SerialPort { + fn into_raw_handle(self) -> RawHandle { + // crate::SerialPort doesn't explicitly implement Drop, so we can just take + // out the inner value. + self.0.into_raw_handle() + } +} + +impl FromRawHandle for SerialPort { + unsafe fn from_raw_handle(handle: RawHandle) -> Self { + SerialPort::open_from_raw_handle(handle) + } +} + +impl FromRawHandle for crate::SerialPort { + /// Create a SerialPort from a raw handle. + /// + /// Warning: the returned `SerialPort` will report timeouts of `None` for + /// `read_timeout` and `write_timeout`, however the actual timeouts set on the + /// underlying handle may be different. You can use `set_read_timeout` and + /// `set_write_timeout` to reset the timeouts on the handle to make them match + /// the values on the `SerialPort`. + unsafe fn from_raw_handle(handle: RawHandle) -> Self { + crate::SerialPort(SerialPort::from_raw_handle(handle)) + } +} + +impl io::Read for &SerialPort { + fn read(&mut self, buf: &mut [u8]) -> io::Result { + assert!(buf.len() <= DWORD::MAX as usize); + let mut len: DWORD = 0; + + let read_event = self.read_event.take_or_create()?; + let mut overlapped: OVERLAPPED = unsafe { MaybeUninit::zeroed().assume_init() }; + overlapped.hEvent = read_event.handle(); + + match unsafe { + ReadFile( + self.handle, + buf.as_mut_ptr() as LPVOID, + buf.len() as DWORD, + &mut len, + &mut overlapped, + ) + } { + FALSE if unsafe { GetLastError() } == ERROR_IO_PENDING => {} + FALSE => return Err(io::Error::last_os_error()), + _ => return Ok(len as usize), + } + + if unsafe { GetOverlappedResult(self.handle, &mut overlapped, &mut len, TRUE) } == FALSE { + return Err(io::Error::last_os_error()); + } + match len { + 0 if buf.len() == 0 => Ok(0), + 0 => Err(io::Error::new( + io::ErrorKind::TimedOut, + "ReadFile() timed out (0 bytes read)", + )), + _ => Ok(len as usize), + } + } +} + +impl io::Write for &SerialPort { + fn write(&mut self, buf: &[u8]) -> io::Result { + assert!(buf.len() <= DWORD::MAX as usize); + let mut len: DWORD = 0; + + let write_event = self.write_event.take_or_create()?; + let mut overlapped: OVERLAPPED = unsafe { MaybeUninit::zeroed().assume_init() }; + overlapped.hEvent = write_event.handle(); + + match unsafe { + WriteFile( + self.handle, + buf.as_ptr() as LPVOID, + buf.len() as DWORD, + &mut len, + &mut overlapped, + ) + } { + FALSE if unsafe { GetLastError() } == ERROR_IO_PENDING => {} + FALSE => return Err(io::Error::last_os_error()), + _ => return Ok(len as usize), + } + + if unsafe { GetOverlappedResult(self.handle, &mut overlapped, &mut len, TRUE) } == FALSE { + return Err(io::Error::last_os_error()); + // // WriteFile() may fail with ERROR_SEM_TIMEOUT, which is not + // // io::ErrorKind::TimedOut prior to Rust 1.46, so create a custom + // // error with kind TimedOut to simplify subsequent error handling. + // // https://github.com/rust-lang/rust/pull/71756 + // let error = io::Error::last_os_error(); + // // TODO: wrap if clause in if_rust_version! { < 1.46 { ... }} + // if error.raw_os_error().unwrap() as DWORD == ERROR_SEM_TIMEOUT + // && error.kind() != io::ErrorKind::TimedOut + // { + // return Err(io::Error::new( + // io::ErrorKind::TimedOut, + // "WriteFile() timed out (ERROR_SEM_TIMEOUT)", + // )); + // } + // return Err(error); + } + match len { + 0 if buf.len() == 0 => Ok(0), + 0 => Err(io::Error::new( + io::ErrorKind::TimedOut, + "WriteFile() timed out (0 bytes written)", + )), + _ => Ok(len as usize), + } + } + + fn flush(&mut self) -> io::Result<()> { + match unsafe { FlushFileBuffers(self.handle) } { + 0 => Err(io::Error::last_os_error()), + _ => Ok(()), + } + } +} + +impl SerialPortExt for SerialPort { + fn comm_timeouts(&self) -> Result { + let mut timeouts: COMMTIMEOUTS = unsafe { MaybeUninit::zeroed().assume_init() }; + if unsafe { GetCommTimeouts(self.handle, &mut timeouts) } == FALSE { + return Err(super::error::last_os_error()); + } + Ok(timeouts.into()) + } + + fn set_comm_timeouts(&self, timeouts: CommTimeouts) -> Result<()> { + let mut timeouts: COMMTIMEOUTS = timeouts.into(); + if unsafe { SetCommTimeouts(self.handle, &mut timeouts) } == FALSE { + return Err(super::error::last_os_error()); + } + Ok(()) + } +} diff --git a/src/windows/dcb.rs b/src/sys/windows/dcb.rs similarity index 97% rename from src/windows/dcb.rs rename to src/sys/windows/dcb.rs index 6af7e493..9870bc5c 100644 --- a/src/windows/dcb.rs +++ b/src/sys/windows/dcb.rs @@ -40,7 +40,7 @@ pub(crate) fn init(dcb: &mut DCB) { // dcb.set_fOutxCtsFlow() // serialport-rs doesn't support toggling DSR: so disable fOutxDsrFlow dcb.set_fOutxDsrFlow(FALSE as DWORD); - dcb.set_fDtrControl(DTR_CONTROL_DISABLE); + dcb.set_fDtrControl(TRUE as DWORD); // disable because fOutxDsrFlow is disabled as well dcb.set_fDsrSensitivity(FALSE as DWORD); // dcb.set_fTXContinueOnXoff() @@ -50,7 +50,7 @@ pub(crate) fn init(dcb: &mut DCB) { // fNull: when set to TRUE null bytes are discarded when received. // null bytes won't be discarded by serialport-rs dcb.set_fNull(FALSE as DWORD); - // dcb.set_fRtsControl() + dcb.set_fRtsControl(TRUE as DWORD); // serialport-rs does not handle the fAbortOnError behaviour, so we must make sure it's not enabled dcb.set_fAbortOnError(FALSE as DWORD); } diff --git a/src/windows/enumerate.rs b/src/sys/windows/enumerate.rs similarity index 100% rename from src/windows/enumerate.rs rename to src/sys/windows/enumerate.rs diff --git a/src/windows/error.rs b/src/sys/windows/error.rs similarity index 100% rename from src/windows/error.rs rename to src/sys/windows/error.rs diff --git a/src/sys/windows/event_cache.rs b/src/sys/windows/event_cache.rs new file mode 100644 index 00000000..6728db37 --- /dev/null +++ b/src/sys/windows/event_cache.rs @@ -0,0 +1,114 @@ +//! Provides a cache for event `HANDLE`s so that we can create event handles for +//! read/write lazily while still keeping them around between reads and writes. +use std::io; +use std::ptr; +use std::sync::atomic::{AtomicUsize, Ordering}; + +use winapi::shared::minwindef::*; +use winapi::shared::ntdef::NULL; +use winapi::um::handleapi::*; +use winapi::um::synchapi::CreateEventW; +use winapi::um::winnt::HANDLE; + +#[derive(Debug)] +pub enum CacheType { + Read, + Write, +} + +/// Cache for a HANDLE to an event. +#[derive(Debug)] +pub struct EventCache { + /// A `HANDLE` to an Event, created with `CreateEventW`, or `NULL`. We use + /// `NULL` to represent a missing handle rather than `INVALID_HANDLE_VALUE` + /// because `CreateEventW` returns `NULL` rather than `INVALID_HANDLE_VALUE` + /// on failure. + handle: AtomicUsize, + cache_type: CacheType, +} + +impl EventCache { + /// Create a new, empty cache. + pub fn new(cache_type: CacheType) -> Self { + EventCache { + handle: AtomicUsize::new(NULL as usize), + cache_type, + } + } + + /// Take out the currently contained `HANDLE` if any, or create a new `HANDLE`. + /// Returns an error only when creating a new event handle fails. + pub fn take_or_create(&self) -> io::Result { + // Fast path: there is a handle, just take it and return it. + let existing = self.handle.swap(NULL as usize, Ordering::Relaxed) as HANDLE; + if existing != NULL { + return Ok(HandleGuard { + cache: self, + handle: existing, + }); + } + + // We can use auto-reset for both read and write because we'll have a different event + // handle for every thread that's trying to read or write. + let event_result = match self.cache_type { + CacheType::Read => unsafe { CreateEventW(ptr::null_mut(), TRUE, FALSE, ptr::null_mut()) }, + CacheType::Write => unsafe { CreateEventW(ptr::null_mut(), FALSE, FALSE, ptr::null_mut()) }, + }; + match event_result { + NULL => Err(io::Error::last_os_error()), + new_handle => Ok(HandleGuard { + cache: self, + handle: new_handle, + }), + } + } + + /// Return the given `HANDLE` to the cache or silently deallocate it. + fn return_or_deallocate(&self, handle: HANDLE) { + if self + .handle + .compare_exchange_weak( + NULL as usize, + handle as usize, + Ordering::Relaxed, + Ordering::Relaxed, + ) + .is_err() + { + // Already-stored value was not null, so just silently deallocate the returned handle. + unsafe { CloseHandle(handle) }; + } + } +} + +impl Drop for EventCache { + fn drop(&mut self) { + let handle = (*self.handle.get_mut()) as HANDLE; + if handle != NULL { + unsafe { CloseHandle(handle) }; + } + } +} + +/// Guard for borrowing the event handle from the `EventCache`. It will return +/// the handle to the cache when dropped, or deallocate it if the cache already +/// contains a handle. +pub struct HandleGuard<'a> { + /// Event cache to return the handle to when dropped. + cache: &'a EventCache, + /// Actual handle value. + handle: HANDLE, +} + +impl<'a> HandleGuard<'a> { + /// Get the handle from this guard. + pub fn handle(&self) -> HANDLE { + self.handle + } +} + +impl<'a> Drop for HandleGuard<'a> { + fn drop(&mut self) { + self.cache.return_or_deallocate(self.handle); + } +} diff --git a/src/sys/windows/mod.rs b/src/sys/windows/mod.rs new file mode 100644 index 00000000..00567a92 --- /dev/null +++ b/src/sys/windows/mod.rs @@ -0,0 +1,8 @@ +pub use com::SerialPort; +pub use enumerate::available_ports; + +mod com; +mod dcb; +mod enumerate; +mod error; +mod event_cache; diff --git a/src/windows.rs b/src/windows.rs new file mode 100644 index 00000000..4cde5af7 --- /dev/null +++ b/src/windows.rs @@ -0,0 +1,106 @@ +//! Provides windows-only extensions to the SerialPort type. + +// Note: windows-specific things are imported under narrow scope because this +// mod is also compiled on unix when doing a `doc` build. + +use std::convert::TryFrom; +use std::time::Duration; + +#[cfg(windows)] +use winapi::shared::minwindef::DWORD; +#[cfg(windows)] +use winapi::um::winbase::COMMTIMEOUTS; + +use crate::Result; + +/// Represents COM Port Timeouts. Equivalent to [`COMMTIMEOUTS`]( +/// https://docs.microsoft.com/en-us/windows/win32/api/winbase/ns-winbase-commtimeouts). +/// See official documentation of the [`COMMTIMEOUTS`](https://docs.microsoft.com/en-us/windows/win32/api/winbase/ns-winbase-commtimeouts) +/// struct in the windows API for details of how the fields affect timeout behavior. +/// +/// Timeouts are given as durations instead of integer milliseconds. When applied, +/// sub-millisecond times will be truncated. +#[derive(Debug, Copy, Clone)] +pub struct CommTimeouts { + #[allow(missing_docs)] + pub read_interval_timeout: Duration, + #[allow(missing_docs)] + pub read_total_timeout_multiplier: Duration, + #[allow(missing_docs)] + pub read_total_timeout_constant: Duration, + #[allow(missing_docs)] + pub write_total_timeout_multiplier: Duration, + #[allow(missing_docs)] + pub write_total_timeout_constant: Duration, +} + +#[cfg(windows)] +impl From for CommTimeouts { + fn from(timeouts: COMMTIMEOUTS) -> Self { + CommTimeouts { + read_interval_timeout: Duration::from_millis(timeouts.ReadIntervalTimeout as u64), + read_total_timeout_multiplier: Duration::from_millis( + timeouts.ReadTotalTimeoutMultiplier as u64, + ), + read_total_timeout_constant: Duration::from_millis( + timeouts.ReadTotalTimeoutConstant as u64, + ), + write_total_timeout_multiplier: Duration::from_millis( + timeouts.WriteTotalTimeoutMultiplier as u64, + ), + write_total_timeout_constant: Duration::from_millis( + timeouts.WriteTotalTimeoutConstant as u64, + ), + } + } +} + +#[cfg(windows)] +impl From for COMMTIMEOUTS { + fn from(timeouts: CommTimeouts) -> Self { + COMMTIMEOUTS { + ReadIntervalTimeout: DWORD::try_from(timeouts.read_interval_timeout.as_millis()) + .unwrap_or(DWORD::MAX), + ReadTotalTimeoutMultiplier: DWORD::try_from( + timeouts.read_total_timeout_multiplier.as_millis(), + ) + .unwrap_or(DWORD::MAX), + ReadTotalTimeoutConstant: DWORD::try_from( + timeouts.read_total_timeout_constant.as_millis(), + ) + .unwrap_or(DWORD::MAX), + WriteTotalTimeoutMultiplier: DWORD::try_from( + timeouts.write_total_timeout_multiplier.as_millis(), + ) + .unwrap_or(DWORD::MAX), + WriteTotalTimeoutConstant: DWORD::try_from( + timeouts.write_total_timeout_constant.as_millis(), + ) + .unwrap_or(DWORD::MAX), + } + } +} + +/// Windows-only extensions to the SerialPort type. +pub trait SerialPortExt { + /// Gets the current timeouts set on the serial port. While the `read_timeout` + /// and `write_timeout` methods only return the most recent value set through + /// the `SerialPort` API, this will return the values actually seen by Windows. + fn comm_timeouts(&self) -> Result; + + /// Sets the timeouts used by the serialport. Unlike `set_read_timeout` and + /// `set_write_timeout`, which are limited to simple posix-like behavior, this + /// method allows access to the full range of available timeout settings allowed + /// by windows. + fn set_comm_timeouts(&self, timeouts: CommTimeouts) -> Result<()>; +} + +impl SerialPortExt for crate::SerialPort { + fn comm_timeouts(&self) -> Result { + self.0.comm_timeouts() + } + + fn set_comm_timeouts(&self, timeouts: CommTimeouts) -> Result<()> { + self.0.set_comm_timeouts(timeouts) + } +} diff --git a/src/windows/com.rs b/src/windows/com.rs deleted file mode 100644 index b54bd0ce..00000000 --- a/src/windows/com.rs +++ /dev/null @@ -1,433 +0,0 @@ -use std::mem::MaybeUninit; -use std::os::windows::prelude::*; -use std::time::Duration; -use std::{io, ptr}; - -use winapi::shared::minwindef::*; -use winapi::um::commapi::*; -use winapi::um::fileapi::*; -use winapi::um::handleapi::*; -use winapi::um::processthreadsapi::GetCurrentProcess; -use winapi::um::winbase::*; -use winapi::um::winnt::{ - DUPLICATE_SAME_ACCESS, FILE_ATTRIBUTE_NORMAL, GENERIC_READ, GENERIC_WRITE, HANDLE, -}; - -use crate::windows::dcb; -use crate::{ - ClearBuffer, DataBits, Error, ErrorKind, FlowControl, Parity, Result, SerialPort, - SerialPortBuilder, StopBits, -}; - -/// A serial port implementation for Windows COM ports -/// -/// The port will be closed when the value is dropped. However, this struct -/// should not be instantiated directly by using `COMPort::open()`, instead use -/// the cross-platform `serialport::open()` or -/// `serialport::open_with_settings()`. -#[derive(Debug)] -pub struct COMPort { - handle: HANDLE, - timeout: Duration, - port_name: Option, -} - -unsafe impl Send for COMPort {} - -impl COMPort { - /// Opens a COM port as a serial device. - /// - /// `port` should be the name of a COM port, e.g., `COM1`. - /// - /// If the COM port handle needs to be opened with special flags, use - /// `from_raw_handle` method to create the `COMPort`. Note that you should - /// set the different settings before using the serial port using `set_all`. - /// - /// ## Errors - /// - /// * `NoDevice` if the device could not be opened. This could indicate that - /// the device is already in use. - /// * `InvalidInput` if `port` is not a valid device name. - /// * `Io` for any other I/O error while opening or initializing the device. - pub fn open(builder: &SerialPortBuilder) -> Result { - let mut name = Vec::::with_capacity(4 + builder.path.len() + 1); - - name.extend(r"\\.\".encode_utf16()); - name.extend(builder.path.encode_utf16()); - name.push(0); - - let handle = unsafe { - CreateFileW( - name.as_ptr(), - GENERIC_READ | GENERIC_WRITE, - 0, - ptr::null_mut(), - OPEN_EXISTING, - FILE_ATTRIBUTE_NORMAL, - 0 as HANDLE, - ) - }; - - if handle == INVALID_HANDLE_VALUE { - return Err(super::error::last_os_error()); - } - - let mut dcb = dcb::get_dcb(handle)?; - dcb::init(&mut dcb); - dcb::set_baud_rate(&mut dcb, builder.baud_rate); - dcb::set_data_bits(&mut dcb, builder.data_bits); - dcb::set_parity(&mut dcb, builder.parity); - dcb::set_stop_bits(&mut dcb, builder.stop_bits); - dcb::set_flow_control(&mut dcb, builder.flow_control); - dcb::set_dcb(handle, dcb)?; - - let mut com = COMPort::open_from_raw_handle(handle as RawHandle); - com.set_timeout(builder.timeout)?; - com.port_name = Some(builder.path.clone()); - Ok(com) - } - - /// Attempts to clone the `SerialPort`. This allow you to write and read simultaneously from the - /// same serial connection. Please note that if you want a real asynchronous serial port you - /// should look at [mio-serial](https://crates.io/crates/mio-serial) or - /// [tokio-serial](https://crates.io/crates/tokio-serial). - /// - /// Also, you must be very careful when changing the settings of a cloned `SerialPort` : since - /// the settings are cached on a per object basis, trying to modify them from two different - /// objects can cause some nasty behavior. - /// - /// This is the same as `SerialPort::try_clone()` but returns the concrete type instead. - /// - /// # Errors - /// - /// This function returns an error if the serial port couldn't be cloned. - pub fn try_clone_native(&self) -> Result { - let process_handle: HANDLE = unsafe { GetCurrentProcess() }; - let mut cloned_handle: HANDLE = INVALID_HANDLE_VALUE; - unsafe { - DuplicateHandle( - process_handle, - self.handle, - process_handle, - &mut cloned_handle, - 0, - TRUE, - DUPLICATE_SAME_ACCESS, - ); - if cloned_handle != INVALID_HANDLE_VALUE { - Ok(COMPort { - handle: cloned_handle, - port_name: self.port_name.clone(), - timeout: self.timeout, - }) - } else { - Err(super::error::last_os_error()) - } - } - } - - fn escape_comm_function(&mut self, function: DWORD) -> Result<()> { - match unsafe { EscapeCommFunction(self.handle, function) } { - 0 => Err(super::error::last_os_error()), - _ => Ok(()), - } - } - - fn read_pin(&mut self, pin: DWORD) -> Result { - let mut status: DWORD = 0; - - match unsafe { GetCommModemStatus(self.handle, &mut status) } { - 0 => Err(super::error::last_os_error()), - _ => Ok(status & pin != 0), - } - } - - fn open_from_raw_handle(handle: RawHandle) -> Self { - // It is not trivial to get the file path corresponding to a handle. - // We'll punt and set it `None` here. - COMPort { - handle: handle as HANDLE, - timeout: Duration::from_millis(100), - port_name: None, - } - } -} - -impl Drop for COMPort { - fn drop(&mut self) { - unsafe { - CloseHandle(self.handle); - } - } -} - -impl AsRawHandle for COMPort { - fn as_raw_handle(&self) -> RawHandle { - self.handle as RawHandle - } -} - -impl FromRawHandle for COMPort { - unsafe fn from_raw_handle(handle: RawHandle) -> Self { - COMPort::open_from_raw_handle(handle) - } -} - -impl io::Read for COMPort { - fn read(&mut self, buf: &mut [u8]) -> io::Result { - let mut len: DWORD = 0; - - match unsafe { - ReadFile( - self.handle, - buf.as_mut_ptr() as LPVOID, - buf.len() as DWORD, - &mut len, - ptr::null_mut(), - ) - } { - 0 => Err(io::Error::last_os_error()), - _ => { - if len != 0 { - Ok(len as usize) - } else { - Err(io::Error::new( - io::ErrorKind::TimedOut, - "Operation timed out", - )) - } - } - } - } -} - -impl io::Write for COMPort { - fn write(&mut self, buf: &[u8]) -> io::Result { - let mut len: DWORD = 0; - - match unsafe { - WriteFile( - self.handle, - buf.as_ptr() as LPVOID, - buf.len() as DWORD, - &mut len, - ptr::null_mut(), - ) - } { - 0 => Err(io::Error::last_os_error()), - _ => Ok(len as usize), - } - } - - fn flush(&mut self) -> io::Result<()> { - match unsafe { FlushFileBuffers(self.handle) } { - 0 => Err(io::Error::last_os_error()), - _ => Ok(()), - } - } -} - -impl SerialPort for COMPort { - fn name(&self) -> Option { - self.port_name.clone() - } - - fn timeout(&self) -> Duration { - self.timeout - } - - fn set_timeout(&mut self, timeout: Duration) -> Result<()> { - let milliseconds = timeout.as_secs() * 1000 + timeout.subsec_nanos() as u64 / 1_000_000; - - let mut timeouts = COMMTIMEOUTS { - ReadIntervalTimeout: 0, - ReadTotalTimeoutMultiplier: 0, - ReadTotalTimeoutConstant: milliseconds as DWORD, - WriteTotalTimeoutMultiplier: 0, - WriteTotalTimeoutConstant: 0, - }; - - if unsafe { SetCommTimeouts(self.handle, &mut timeouts) } == 0 { - return Err(super::error::last_os_error()); - } - - self.timeout = timeout; - Ok(()) - } - - fn write_request_to_send(&mut self, level: bool) -> Result<()> { - if level { - self.escape_comm_function(SETRTS) - } else { - self.escape_comm_function(CLRRTS) - } - } - - fn write_data_terminal_ready(&mut self, level: bool) -> Result<()> { - if level { - self.escape_comm_function(SETDTR) - } else { - self.escape_comm_function(CLRDTR) - } - } - - fn read_clear_to_send(&mut self) -> Result { - self.read_pin(MS_CTS_ON) - } - - fn read_data_set_ready(&mut self) -> Result { - self.read_pin(MS_DSR_ON) - } - - fn read_ring_indicator(&mut self) -> Result { - self.read_pin(MS_RING_ON) - } - - fn read_carrier_detect(&mut self) -> Result { - self.read_pin(MS_RLSD_ON) - } - - fn baud_rate(&self) -> Result { - let dcb = dcb::get_dcb(self.handle)?; - Ok(dcb.BaudRate as u32) - } - - fn data_bits(&self) -> Result { - let dcb = dcb::get_dcb(self.handle)?; - match dcb.ByteSize { - 5 => Ok(DataBits::Five), - 6 => Ok(DataBits::Six), - 7 => Ok(DataBits::Seven), - 8 => Ok(DataBits::Eight), - _ => Err(Error::new( - ErrorKind::Unknown, - "Invalid data bits setting encountered", - )), - } - } - - fn parity(&self) -> Result { - let dcb = dcb::get_dcb(self.handle)?; - match dcb.Parity { - ODDPARITY => Ok(Parity::Odd), - EVENPARITY => Ok(Parity::Even), - NOPARITY => Ok(Parity::None), - _ => Err(Error::new( - ErrorKind::Unknown, - "Invalid parity bits setting encountered", - )), - } - } - - fn stop_bits(&self) -> Result { - let dcb = dcb::get_dcb(self.handle)?; - match dcb.StopBits { - TWOSTOPBITS => Ok(StopBits::Two), - ONESTOPBIT => Ok(StopBits::One), - _ => Err(Error::new( - ErrorKind::Unknown, - "Invalid stop bits setting encountered", - )), - } - } - - fn flow_control(&self) -> Result { - let dcb = dcb::get_dcb(self.handle)?; - if dcb.fOutxCtsFlow() != 0 || dcb.fRtsControl() != 0 { - Ok(FlowControl::Hardware) - } else if dcb.fOutX() != 0 || dcb.fInX() != 0 { - Ok(FlowControl::Software) - } else { - Ok(FlowControl::None) - } - } - - fn set_baud_rate(&mut self, baud_rate: u32) -> Result<()> { - let mut dcb = dcb::get_dcb(self.handle)?; - dcb::set_baud_rate(&mut dcb, baud_rate); - dcb::set_dcb(self.handle, dcb) - } - - fn set_data_bits(&mut self, data_bits: DataBits) -> Result<()> { - let mut dcb = dcb::get_dcb(self.handle)?; - dcb::set_data_bits(&mut dcb, data_bits); - dcb::set_dcb(self.handle, dcb) - } - - fn set_parity(&mut self, parity: Parity) -> Result<()> { - let mut dcb = dcb::get_dcb(self.handle)?; - dcb::set_parity(&mut dcb, parity); - dcb::set_dcb(self.handle, dcb) - } - - fn set_stop_bits(&mut self, stop_bits: StopBits) -> Result<()> { - let mut dcb = dcb::get_dcb(self.handle)?; - dcb::set_stop_bits(&mut dcb, stop_bits); - dcb::set_dcb(self.handle, dcb) - } - - fn set_flow_control(&mut self, flow_control: FlowControl) -> Result<()> { - let mut dcb = dcb::get_dcb(self.handle)?; - dcb::set_flow_control(&mut dcb, flow_control); - dcb::set_dcb(self.handle, dcb) - } - - fn bytes_to_read(&self) -> Result { - let mut errors: DWORD = 0; - let mut comstat = MaybeUninit::uninit(); - - if unsafe { ClearCommError(self.handle, &mut errors, comstat.as_mut_ptr()) != 0 } { - unsafe { Ok(comstat.assume_init().cbInQue) } - } else { - Err(super::error::last_os_error()) - } - } - - fn bytes_to_write(&self) -> Result { - let mut errors: DWORD = 0; - let mut comstat = MaybeUninit::uninit(); - - if unsafe { ClearCommError(self.handle, &mut errors, comstat.as_mut_ptr()) != 0 } { - unsafe { Ok(comstat.assume_init().cbOutQue) } - } else { - Err(super::error::last_os_error()) - } - } - - fn clear(&self, buffer_to_clear: ClearBuffer) -> Result<()> { - let buffer_flags = match buffer_to_clear { - ClearBuffer::Input => PURGE_RXABORT | PURGE_RXCLEAR, - ClearBuffer::Output => PURGE_TXABORT | PURGE_TXCLEAR, - ClearBuffer::All => PURGE_RXABORT | PURGE_RXCLEAR | PURGE_TXABORT | PURGE_TXCLEAR, - }; - - if unsafe { PurgeComm(self.handle, buffer_flags) != 0 } { - Ok(()) - } else { - Err(super::error::last_os_error()) - } - } - - fn try_clone(&self) -> Result> { - match self.try_clone_native() { - Ok(p) => Ok(Box::new(p)), - Err(e) => Err(e), - } - } - - fn set_break(&self) -> Result<()> { - if unsafe { SetCommBreak(self.handle) != 0 } { - Ok(()) - } else { - Err(super::error::last_os_error()) - } - } - - fn clear_break(&self) -> Result<()> { - if unsafe { ClearCommBreak(self.handle) != 0 } { - Ok(()) - } else { - Err(super::error::last_os_error()) - } - } -} diff --git a/src/windows/mod.rs b/src/windows/mod.rs deleted file mode 100644 index 26ec3dee..00000000 --- a/src/windows/mod.rs +++ /dev/null @@ -1,7 +0,0 @@ -pub use self::com::*; -pub use self::enumerate::*; - -mod com; -mod dcb; -mod enumerate; -mod error; diff --git a/tests/test_serialport.rs b/tests/test_serialport.rs index 04bad8f1..89deb5ba 100644 --- a/tests/test_serialport.rs +++ b/tests/test_serialport.rs @@ -16,42 +16,41 @@ fn test_listing_ports() { fn test_opening_found_ports() { let ports = serialport::available_ports().unwrap(); for p in ports { - let _port = serialport::new(p.port_name, 9600).open(); + let _port = SerialPort::builder().open(p.port_name); } } #[test] fn test_opening_port() { - let _port = serialport::new("/dev/ttyUSB0", 9600).open(); -} - -#[test] -fn test_opening_native_port() { - let _port = serialport::new("/dev/ttyUSB0", 9600).open_native(); + let _port = SerialPort::builder().open("/dev/ttyUSB0"); } #[test] fn test_configuring_ports() { - let _port = serialport::new("/dev/ttyUSB0", 9600) + let _port = SerialPort::builder() + .baud_rate(9600) .data_bits(DataBits::Five) .flow_control(FlowControl::None) .parity(Parity::None) .stop_bits(StopBits::One) - .timeout(Duration::from_millis(1)) - .open(); + .read_timeout(Some(Duration::from_millis(1))) + .write_timeout(Some(Duration::from_millis(1))) + .open("/dev/ttyUSB0"); } #[test] fn test_duplicating_port_config() { - let port1_config = serialport::new("/dev/ttyUSB0", 9600) + let port1_config = SerialPort::builder() + .baud_rate(9600) .data_bits(DataBits::Five) .flow_control(FlowControl::None) .parity(Parity::None) .stop_bits(StopBits::One) - .timeout(Duration::from_millis(1)); + .read_timeout(Some(Duration::from_millis(1))) + .write_timeout(Some(Duration::from_millis(1))); - let port2_config = port1_config.clone().path("/dev/ttyUSB1").baud_rate(115_200); + let port2_config = port1_config.clone().baud_rate(115_200); - let _port1 = port1_config.open(); - let _port1 = port2_config.open(); + let _port1 = port1_config.open("/dev/ttyUSB0"); + let _port1 = port2_config.open("/dev/ttyUSB1"); } diff --git a/tests/test_try_clone.rs b/tests/test_try_clone.rs index 31dd2f55..78e82caf 100644 --- a/tests/test_try_clone.rs +++ b/tests/test_try_clone.rs @@ -1,13 +1,14 @@ #![cfg(unix)] extern crate serialport; -use serialport::{SerialPort, TTYPort}; +use serialport::posix::SerialPortExt; +use serialport::SerialPort; use std::io::{Read, Write}; // Test that cloning a port works as expected #[test] fn test_try_clone() { - let (master, mut slave) = TTYPort::pair().expect("Unable to create ptty pair"); + let (master, mut slave) = SerialPort::pair().expect("Unable to create ptty pair"); // Create the clone in an inner scope to test that dropping a clone doesn't close the original // port @@ -36,7 +37,7 @@ fn test_try_clone() { fn test_try_clone_move() { use std::thread; - let (master, mut slave) = TTYPort::pair().expect("Unable to create ptty pair"); + let (master, mut slave) = SerialPort::pair().expect("Unable to create ptty pair"); let mut clone = master.try_clone().expect("Failed to clone the slave"); let loopback = thread::spawn(move || { diff --git a/tests/test_tty.rs b/tests/test_tty.rs index fc76ef05..5f4646ac 100644 --- a/tests/test_tty.rs +++ b/tests/test_tty.rs @@ -1,4 +1,4 @@ -//! Tests for the `posix::TTYPort` struct. +//! Tests for the `posix::SerialPort` struct. #![cfg(unix)] extern crate serialport; @@ -8,18 +8,28 @@ use std::os::unix::prelude::*; use std::str; use std::time::Duration; -use serialport::{SerialPort, TTYPort}; +use serialport::posix::SerialPortExt; +use serialport::SerialPort; #[test] fn test_ttyport_pair() { - // FIXME: Create a mutex across all tests for using `TTYPort::pair()` as it's not threadsafe - let (mut master, mut slave) = TTYPort::pair().expect("Unable to create ptty pair"); + // FIXME: Create a mutex across all tests for using `SerialPort::pair()` as it's not threadsafe + // TODO: Find out what's not thread-safe. Looks like the call to ptsname (used on non-linux + // platforms) is considered not-thread-safe, but unclear if anything else is. + // If that function isn't thread safe, perhaps a better fix would be to lock within the pair() function. + let (mut master, mut slave) = SerialPort::pair().expect("Unable to create ptty pair"); master - .set_timeout(Duration::from_millis(10)) - .expect("Unable to set timeout on the master"); + .set_read_timeout(Some(Duration::from_millis(10))) + .expect("Unable to set read timeout on the master"); + master + .set_write_timeout(Some(Duration::from_millis(10))) + .expect("Unable to set write timeout on the master"); + slave + .set_read_timeout(Some(Duration::from_millis(10))) + .expect("Unable to set read timeout on the slave"); slave - .set_timeout(Duration::from_millis(10)) - .expect("Unable to set timeout on the slave"); + .set_write_timeout(Some(Duration::from_millis(10))) + .expect("Unable to set write timeout on the slave"); // Test file descriptors. assert!( @@ -70,9 +80,10 @@ fn test_ttyport_timeout() { let result_thread = result.clone(); std::thread::spawn(move || { - // FIXME: Create a mutex across all tests for using `TTYPort::pair()` as it's not threadsafe - let (mut master, _slave) = TTYPort::pair().expect("Unable to create ptty pair"); - master.set_timeout(Duration::new(1, 0)).unwrap(); + // FIXME: Create a mutex across all tests for using `SerialPort::pair()` as it's not threadsafe + let (mut master, _slave) = SerialPort::pair().expect("Unable to create ptty pair"); + master.set_read_timeout(Some(Duration::new(1, 0))).unwrap(); + master.set_write_timeout(Some(Duration::new(1, 0))).unwrap(); let mut buffer = [0u8]; let read_res = master.read(&mut buffer); @@ -98,9 +109,9 @@ fn test_ttyport_set_standard_baud() { // `master` must be used here as Dropping it causes slave to be deleted by the OS. // TODO: Convert this to a statement-level attribute once // https://github.com/rust-lang/rust/issues/15701 is on stable. - // FIXME: Create a mutex across all tests for using `TTYPort::pair()` as it's not threadsafe + // FIXME: Create a mutex across all tests for using `SerialPort::pair()` as it's not threadsafe #![allow(unused_variables)] - let (master, mut slave) = TTYPort::pair().expect("Unable to create ptty pair"); + let (master, mut slave) = SerialPort::pair().expect("Unable to create ptty pair"); slave.set_baud_rate(9600).unwrap(); assert_eq!(slave.baud_rate().unwrap(), 9600); @@ -124,9 +135,9 @@ fn test_ttyport_set_nonstandard_baud() { // `master` must be used here as Dropping it causes slave to be deleted by the OS. // TODO: Convert this to a statement-level attribute once // https://github.com/rust-lang/rust/issues/15701 is on stable. - // FIXME: Create a mutex across all tests for using `TTYPort::pair()` as it's not threadsafe + // FIXME: Create a mutex across all tests for using `SerialPort::pair()` as it's not threadsafe #![allow(unused_variables)] - let (master, mut slave) = TTYPort::pair().expect("Unable to create ptty pair"); + let (master, mut slave) = SerialPort::pair().expect("Unable to create ptty pair"); slave.set_baud_rate(10000).unwrap(); assert_eq!(slave.baud_rate().unwrap(), 10000);