nix/pty.rs
1//! Create master and slave virtual pseudo-terminals (PTYs)
2
3pub use libc::pid_t as SessionId;
4pub use libc::winsize as Winsize;
5
6use std::ffi::CStr;
7use std::io;
8#[cfg(not(target_os = "aix"))]
9use std::mem;
10use std::os::unix::prelude::*;
11
12use crate::errno::Errno;
13#[cfg(not(target_os = "aix"))]
14use crate::sys::termios::Termios;
15#[cfg(all(feature = "process", not(target_os = "aix")))]
16use crate::unistd::Pid;
17use crate::{fcntl, unistd, Result};
18
19/// Representation of a master/slave pty pair
20///
21/// This is returned by [`openpty`].
22#[derive(Debug)]
23pub struct OpenptyResult {
24 /// The master port in a virtual pty pair
25 pub master: OwnedFd,
26 /// The slave port in a virtual pty pair
27 pub slave: OwnedFd,
28}
29
30feature! {
31#![feature = "process"]
32/// A successful result of [`forkpty()`].
33#[derive(Debug)]
34pub enum ForkptyResult {
35 /// This is the parent process of the underlying fork.
36 Parent {
37 /// The PID of the fork's child process
38 child: Pid,
39 /// A file descriptor referring to master side of the pseudoterminal of
40 /// the child process.
41 master: OwnedFd,
42 },
43 /// This is the child process of the underlying fork.
44 Child,
45}
46}
47
48/// Representation of the Master device in a master/slave pty pair
49///
50/// While this datatype is a thin wrapper around `OwnedFd`, it enforces that the available PTY
51/// functions are given the correct file descriptor.
52#[derive(Debug)]
53pub struct PtyMaster(OwnedFd);
54
55impl AsRawFd for PtyMaster {
56 fn as_raw_fd(&self) -> RawFd {
57 self.0.as_raw_fd()
58 }
59}
60
61impl AsFd for PtyMaster {
62 fn as_fd(&self) -> BorrowedFd<'_> {
63 self.0.as_fd()
64 }
65}
66
67impl IntoRawFd for PtyMaster {
68 fn into_raw_fd(self) -> RawFd {
69 let fd = self.0;
70 fd.into_raw_fd()
71 }
72}
73
74impl io::Read for PtyMaster {
75 fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> {
76 unistd::read(self.0.as_raw_fd(), buf).map_err(io::Error::from)
77 }
78}
79
80impl io::Write for PtyMaster {
81 fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
82 unistd::write(&self.0, buf).map_err(io::Error::from)
83 }
84 fn flush(&mut self) -> io::Result<()> {
85 Ok(())
86 }
87}
88
89impl io::Read for &PtyMaster {
90 fn read(&mut self, buf: &mut [u8]) -> io::Result<usize> {
91 unistd::read(self.0.as_raw_fd(), buf).map_err(io::Error::from)
92 }
93}
94
95impl io::Write for &PtyMaster {
96 fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
97 unistd::write(&self.0, buf).map_err(io::Error::from)
98 }
99 fn flush(&mut self) -> io::Result<()> {
100 Ok(())
101 }
102}
103
104/// Grant access to a slave pseudoterminal (see
105/// [`grantpt(3)`](https://pubs.opengroup.org/onlinepubs/9699919799/functions/grantpt.html))
106///
107/// `grantpt()` changes the mode and owner of the slave pseudoterminal device corresponding to the
108/// master pseudoterminal referred to by `fd`. This is a necessary step towards opening the slave.
109#[inline]
110pub fn grantpt(fd: &PtyMaster) -> Result<()> {
111 if unsafe { libc::grantpt(fd.as_raw_fd()) } < 0 {
112 return Err(Errno::last());
113 }
114
115 Ok(())
116}
117
118/// Open a pseudoterminal device (see
119/// [`posix_openpt(3)`](https://pubs.opengroup.org/onlinepubs/9699919799/functions/posix_openpt.html))
120///
121/// `posix_openpt()` returns a file descriptor to an existing unused pseudoterminal master device.
122///
123/// # Examples
124///
125/// A common use case with this function is to open both a master and slave PTY pair. This can be
126/// done as follows:
127///
128/// ```
129/// use std::path::Path;
130/// use nix::fcntl::{OFlag, open};
131/// use nix::pty::{grantpt, posix_openpt, ptsname, unlockpt};
132/// use nix::sys::stat::Mode;
133///
134/// # #[allow(dead_code)]
135/// # fn run() -> nix::Result<()> {
136/// // Open a new PTY master
137/// let master_fd = posix_openpt(OFlag::O_RDWR)?;
138///
139/// // Allow a slave to be generated for it
140/// grantpt(&master_fd)?;
141/// unlockpt(&master_fd)?;
142///
143/// // Get the name of the slave
144/// let slave_name = unsafe { ptsname(&master_fd) }?;
145///
146/// // Try to open the slave
147/// let _slave_fd = open(Path::new(&slave_name), OFlag::O_RDWR, Mode::empty())?;
148/// # Ok(())
149/// # }
150/// ```
151#[inline]
152pub fn posix_openpt(flags: fcntl::OFlag) -> Result<PtyMaster> {
153 let fd = unsafe { libc::posix_openpt(flags.bits()) };
154
155 if fd < 0 {
156 return Err(Errno::last());
157 }
158
159 Ok(PtyMaster(unsafe { OwnedFd::from_raw_fd(fd) }))
160}
161
162/// Get the name of the slave pseudoterminal (see
163/// [`ptsname(3)`](https://man7.org/linux/man-pages/man3/ptsname.3.html))
164///
165/// `ptsname()` returns the name of the slave pseudoterminal device corresponding to the master
166/// referred to by `fd`.
167///
168/// This value is useful for opening the slave pty once the master has already been opened with
169/// `posix_openpt()`.
170///
171/// # Safety
172///
173/// `ptsname()` mutates global variables and is *not* threadsafe.
174/// Mutating global variables is always considered `unsafe` by Rust and this
175/// function is marked as `unsafe` to reflect that.
176///
177/// For a threadsafe and non-`unsafe` alternative on Linux, see `ptsname_r()`.
178#[inline]
179pub unsafe fn ptsname(fd: &PtyMaster) -> Result<String> {
180 let name_ptr = unsafe { libc::ptsname(fd.as_raw_fd()) };
181 if name_ptr.is_null() {
182 return Err(Errno::last());
183 }
184
185 let name = unsafe { CStr::from_ptr(name_ptr) };
186 Ok(name.to_string_lossy().into_owned())
187}
188
189/// Get the name of the slave pseudoterminal (see
190/// [`ptsname(3)`](https://man7.org/linux/man-pages/man3/ptsname.3.html))
191///
192/// `ptsname_r()` returns the name of the slave pseudoterminal device corresponding to the master
193/// referred to by `fd`. This is the threadsafe version of `ptsname()`, but it is not part of the
194/// POSIX standard and is instead a Linux-specific extension.
195///
196/// This value is useful for opening the slave ptty once the master has already been opened with
197/// `posix_openpt()`.
198#[cfg(linux_android)]
199#[inline]
200pub fn ptsname_r(fd: &PtyMaster) -> Result<String> {
201 let mut name_buf = Vec::<libc::c_char>::with_capacity(64);
202 let name_buf_ptr = name_buf.as_mut_ptr();
203 let cname = unsafe {
204 let cap = name_buf.capacity();
205 if libc::ptsname_r(fd.as_raw_fd(), name_buf_ptr, cap) != 0 {
206 return Err(crate::Error::last());
207 }
208 CStr::from_ptr(name_buf.as_ptr())
209 };
210
211 let name = cname.to_string_lossy().into_owned();
212 Ok(name)
213}
214
215/// Unlock a pseudoterminal master/slave pseudoterminal pair (see
216/// [`unlockpt(3)`](https://pubs.opengroup.org/onlinepubs/9699919799/functions/unlockpt.html))
217///
218/// `unlockpt()` unlocks the slave pseudoterminal device corresponding to the master pseudoterminal
219/// referred to by `fd`. This must be called before trying to open the slave side of a
220/// pseudoterminal.
221#[inline]
222pub fn unlockpt(fd: &PtyMaster) -> Result<()> {
223 if unsafe { libc::unlockpt(fd.as_raw_fd()) } < 0 {
224 return Err(Errno::last());
225 }
226
227 Ok(())
228}
229
230/// Create a new pseudoterminal, returning the slave and master file descriptors
231/// in `OpenptyResult`
232/// (see [`openpty`](https://man7.org/linux/man-pages/man3/openpty.3.html)).
233///
234/// If `winsize` is not `None`, the window size of the slave will be set to
235/// the values in `winsize`. If `termios` is not `None`, the pseudoterminal's
236/// terminal settings of the slave will be set to the values in `termios`.
237#[inline]
238#[cfg(not(target_os = "aix"))]
239pub fn openpty<
240 'a,
241 'b,
242 T: Into<Option<&'a Winsize>>,
243 U: Into<Option<&'b Termios>>,
244>(
245 winsize: T,
246 termios: U,
247) -> Result<OpenptyResult> {
248 use std::ptr;
249
250 let mut slave = mem::MaybeUninit::<libc::c_int>::uninit();
251 let mut master = mem::MaybeUninit::<libc::c_int>::uninit();
252 let ret = {
253 match (termios.into(), winsize.into()) {
254 (Some(termios), Some(winsize)) => {
255 let inner_termios = termios.get_libc_termios();
256 unsafe {
257 libc::openpty(
258 master.as_mut_ptr(),
259 slave.as_mut_ptr(),
260 ptr::null_mut(),
261 &*inner_termios as *const libc::termios as *mut _,
262 winsize as *const Winsize as *mut _,
263 )
264 }
265 }
266 (None, Some(winsize)) => unsafe {
267 libc::openpty(
268 master.as_mut_ptr(),
269 slave.as_mut_ptr(),
270 ptr::null_mut(),
271 ptr::null_mut(),
272 winsize as *const Winsize as *mut _,
273 )
274 },
275 (Some(termios), None) => {
276 let inner_termios = termios.get_libc_termios();
277 unsafe {
278 libc::openpty(
279 master.as_mut_ptr(),
280 slave.as_mut_ptr(),
281 ptr::null_mut(),
282 &*inner_termios as *const libc::termios as *mut _,
283 ptr::null_mut(),
284 )
285 }
286 }
287 (None, None) => unsafe {
288 libc::openpty(
289 master.as_mut_ptr(),
290 slave.as_mut_ptr(),
291 ptr::null_mut(),
292 ptr::null_mut(),
293 ptr::null_mut(),
294 )
295 },
296 }
297 };
298
299 Errno::result(ret)?;
300
301 unsafe {
302 Ok(OpenptyResult {
303 master: OwnedFd::from_raw_fd(master.assume_init()),
304 slave: OwnedFd::from_raw_fd(slave.assume_init()),
305 })
306 }
307}
308
309feature! {
310#![feature = "process"]
311/// Create a new process operating in a pseudoterminal.
312///
313/// If `winsize` is not `None`, the window size of the slave will be set to
314/// the values in `winsize`. If `termios` is not `None`, the pseudoterminal's
315/// terminal settings of the slave will be set to the values in `termios`.
316///
317/// # Safety
318///
319/// In a multithreaded program, only [async-signal-safe] functions like `pause`
320/// and `_exit` may be called by the child (the parent isn't restricted). Note
321/// that memory allocation may **not** be async-signal-safe and thus must be
322/// prevented.
323///
324/// Those functions are only a small subset of your operating system's API, so
325/// special care must be taken to only invoke code you can control and audit.
326///
327/// [async-signal-safe]: https://man7.org/linux/man-pages/man7/signal-safety.7.html
328///
329/// # Reference
330///
331/// * [FreeBSD](https://man.freebsd.org/cgi/man.cgi?query=forkpty)
332/// * [Linux](https://man7.org/linux/man-pages/man3/forkpty.3.html)
333#[cfg(not(target_os = "aix"))]
334pub unsafe fn forkpty<'a, 'b, T: Into<Option<&'a Winsize>>, U: Into<Option<&'b Termios>>>(
335 winsize: T,
336 termios: U,
337) -> Result<ForkptyResult> {
338 use std::ptr;
339
340 let mut master = mem::MaybeUninit::<libc::c_int>::uninit();
341
342 let term = match termios.into() {
343 Some(termios) => {
344 let inner_termios = termios.get_libc_termios();
345 &*inner_termios as *const libc::termios as *mut _
346 },
347 None => ptr::null_mut(),
348 };
349
350 let win = winsize
351 .into()
352 .map(|ws| ws as *const Winsize as *mut _)
353 .unwrap_or(ptr::null_mut());
354
355 let res = unsafe { libc::forkpty(master.as_mut_ptr(), ptr::null_mut(), term, win) };
356
357 let success_ret = Errno::result(res)?;
358 let forkpty_result = match success_ret {
359 // In the child process
360 0 => ForkptyResult::Child,
361 // In the parent process
362 child_pid => {
363 // SAFETY:
364 // 1. The master buffer is guaranteed to be initialized in the parent process
365 // 2. OwnedFd::from_raw_fd won't panic as the fd is a valid file descriptor
366 let master = unsafe { OwnedFd::from_raw_fd( master.assume_init() ) };
367 ForkptyResult::Parent {
368 master,
369 child: Pid::from_raw(child_pid),
370 }
371 }
372 };
373
374 Ok(forkpty_result)
375}
376}