1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349
use super::{Command, Error, ForwardType, KnownHosts, SessionBuilder, Socket};
#[cfg(feature = "process-mux")]
use super::process_impl;
#[cfg(feature = "native-mux")]
use super::native_mux_impl;
use std::borrow::Cow;
use std::ffi::OsStr;
use std::path::Path;
use tempfile::TempDir;
#[derive(Debug)]
pub(crate) enum SessionImp {
#[cfg(feature = "process-mux")]
ProcessImpl(process_impl::Session),
#[cfg(feature = "native-mux")]
NativeMuxImpl(native_mux_impl::Session),
}
#[cfg(any(feature = "process-mux", feature = "native-mux"))]
macro_rules! delegate {
($impl:expr, $var:ident, $then:block) => {{
match $impl {
#[cfg(feature = "process-mux")]
SessionImp::ProcessImpl($var) => $then,
#[cfg(feature = "native-mux")]
SessionImp::NativeMuxImpl($var) => $then,
}
}};
}
#[cfg(not(any(feature = "process-mux", feature = "native-mux")))]
macro_rules! delegate {
($impl:expr, $var:ident, $then:block) => {{
unreachable!("Neither feature process-mux nor native-mux is enabled")
}};
}
/// A single SSH session to a remote host.
///
/// You can use [`command`](Session::command) to start a new command on the connected machine.
///
/// When the `Session` is dropped, the connection to the remote host is severed, and any errors
/// silently ignored. To disconnect and be alerted to errors, use [`close`](Session::close).
#[derive(Debug)]
pub struct Session(SessionImp);
// TODO: UserKnownHostsFile for custom known host fingerprint.
impl Session {
#[cfg(feature = "process-mux")]
pub(super) fn new_process_mux(tempdir: TempDir) -> Self {
Self(SessionImp::ProcessImpl(process_impl::Session::new(tempdir)))
}
#[cfg(feature = "native-mux")]
pub(super) fn new_native_mux(tempdir: TempDir) -> Self {
Self(SessionImp::NativeMuxImpl(native_mux_impl::Session::new(
tempdir,
)))
}
/// Resume the connection using path to control socket and
/// path to ssh multiplex output log.
///
/// If you do not use `-E` option (or redirection) to write
/// the log of the ssh multiplex master to the disk, you can
/// simply pass `None` to `master_log`.
///
/// [`Session`] created this way will not be terminated on drop,
/// but can be forced terminated by [`Session::close`].
///
/// This connects to the ssh multiplex master using process mux impl.
#[cfg(feature = "process-mux")]
#[cfg_attr(docsrs, doc(cfg(feature = "process-mux")))]
pub fn resume(ctl: Box<Path>, master_log: Option<Box<Path>>) -> Self {
Self(SessionImp::ProcessImpl(process_impl::Session::resume(
ctl, master_log,
)))
}
/// Same as [`Session::resume`] except that it connects to
/// the ssh multiplex master using native mux impl.
#[cfg(feature = "native-mux")]
#[cfg_attr(docsrs, doc(cfg(feature = "native-mux")))]
pub fn resume_mux(ctl: Box<Path>, master_log: Option<Box<Path>>) -> Self {
Self(SessionImp::NativeMuxImpl(native_mux_impl::Session::resume(
ctl, master_log,
)))
}
/// Connect to the host at the given `host` over SSH using process impl, which will
/// spawn a new ssh process for each `Child` created.
///
/// The format of `destination` is the same as the `destination` argument to `ssh`. It may be
/// specified as either `[user@]hostname` or a URI of the form `ssh://[user@]hostname[:port]`.
///
/// If connecting requires interactive authentication based on `STDIN` (such as reading a
/// password), the connection will fail. Consider setting up keypair-based authentication
/// instead.
///
/// For more options, see [`SessionBuilder`].
#[cfg(feature = "process-mux")]
#[cfg_attr(docsrs, doc(cfg(feature = "process-mux")))]
pub async fn connect<S: AsRef<str>>(destination: S, check: KnownHosts) -> Result<Self, Error> {
SessionBuilder::default()
.known_hosts_check(check)
.connect(destination)
.await
}
/// Connect to the host at the given `host` over SSH using native mux impl, which
/// will create a new socket connection for each `Child` created.
///
/// See the crate-level documentation for more details on the difference between native and process-based mux.
///
/// The format of `destination` is the same as the `destination` argument to `ssh`. It may be
/// specified as either `[user@]hostname` or a URI of the form `ssh://[user@]hostname[:port]`.
///
/// If connecting requires interactive authentication based on `STDIN` (such as reading a
/// password), the connection will fail. Consider setting up keypair-based authentication
/// instead.
///
/// For more options, see [`SessionBuilder`].
#[cfg(feature = "native-mux")]
#[cfg_attr(docsrs, doc(cfg(feature = "native-mux")))]
pub async fn connect_mux<S: AsRef<str>>(
destination: S,
check: KnownHosts,
) -> Result<Self, Error> {
SessionBuilder::default()
.known_hosts_check(check)
.connect_mux(destination)
.await
}
/// Check the status of the underlying SSH connection.
#[cfg(not(windows))]
#[cfg_attr(docsrs, doc(cfg(not(windows))))]
pub async fn check(&self) -> Result<(), Error> {
delegate!(&self.0, imp, { imp.check().await })
}
/// Get the SSH connection's control socket path.
#[cfg(not(windows))]
#[cfg_attr(docsrs, doc(cfg(not(windows))))]
pub fn control_socket(&self) -> &Path {
delegate!(&self.0, imp, { imp.ctl() })
}
/// Constructs a new [`Command`] for launching the program at path `program` on the remote
/// host.
///
/// Before it is passed to the remote host, `program` is escaped so that special characters
/// aren't evaluated by the remote shell. If you do not want this behavior, use
/// [`raw_command`](Session::raw_command).
///
/// The returned `Command` is a builder, with the following default configuration:
///
/// * No arguments to the program
/// * Empty stdin and dsicard stdout/stderr for `spawn` or `status`, but create output pipes for
/// `output`
///
/// Builder methods are provided to change these defaults and otherwise configure the process.
///
/// If `program` is not an absolute path, the `PATH` will be searched in an OS-defined way on
/// the host.
pub fn command<'a, S: Into<Cow<'a, str>>>(&self, program: S) -> Command<'_> {
self.raw_command(&*shell_escape::unix::escape(program.into()))
}
/// Constructs a new [`Command`] for launching the program at path `program` on the remote
/// host.
///
/// Unlike [`command`](Session::command), this method does not shell-escape `program`, so it may be evaluated in
/// unforeseen ways by the remote shell.
///
/// The returned `Command` is a builder, with the following default configuration:
///
/// * No arguments to the program
/// * Empty stdin and dsicard stdout/stderr for `spawn` or `status`, but create output pipes for
/// `output`
///
/// Builder methods are provided to change these defaults and otherwise configure the process.
///
/// If `program` is not an absolute path, the `PATH` will be searched in an OS-defined way on
/// the host.
pub fn raw_command<S: AsRef<OsStr>>(&self, program: S) -> Command<'_> {
Command::new(
self,
delegate!(&self.0, imp, { imp.raw_command(program.as_ref()).into() }),
)
}
/// Constructs a new [`Command`] for launching subsystem `program` on the remote
/// host.
///
/// Unlike [`command`](Session::command), this method does not shell-escape `program`, so it may be evaluated in
/// unforeseen ways by the remote shell.
///
/// The returned `Command` is a builder, with the following default configuration:
///
/// * No arguments to the program
/// * Empty stdin and dsicard stdout/stderr for `spawn` or `status`, but create output pipes for
/// `output`
///
/// Builder methods are provided to change these defaults and otherwise configure the process.
///
/// ## Sftp subsystem
///
/// To use the sftp subsystem, you'll want to use [`openssh-sftp-client`],
/// then use the following code to construct a sftp instance:
///
/// [`openssh-sftp-client`]: https://crates.io/crates/openssh-sftp-client
///
/// ```rust,no_run
/// # use std::error::Error;
/// # #[cfg(feature = "native-mux")]
/// # #[tokio::main]
/// # async fn main() -> Result<(), Box<dyn Error>> {
///
/// use openssh::{Session, KnownHosts, Stdio};
/// use openssh_sftp_client::Sftp;
///
/// let session = Session::connect_mux("me@ssh.example.com", KnownHosts::Strict).await?;
///
/// let mut child = session
/// .subsystem("sftp")
/// .stdin(Stdio::piped())
/// .stdout(Stdio::piped())
/// .spawn()
/// .await?;
///
/// Sftp::new(
/// child.stdin().take().unwrap(),
/// child.stdout().take().unwrap(),
/// Default::default(),
/// )
/// .await?
/// .close()
/// .await?;
///
/// # Ok(()) }
/// ```
pub fn subsystem<S: AsRef<OsStr>>(&self, program: S) -> Command<'_> {
Command::new(
self,
delegate!(&self.0, imp, { imp.subsystem(program.as_ref()).into() }),
)
}
/// Constructs a new [`Command`] that runs the provided shell command on the remote host.
///
/// The provided command is passed as a single, escaped argument to `sh -c`, and from that
/// point forward the behavior is up to `sh`. Since this executes a shell command, keep in mind
/// that you are subject to the shell's rules around argument parsing, such as whitespace
/// splitting, variable expansion, and other funkyness. I _highly_ recommend you read
/// [this article] if you observe strange things.
///
/// While the returned `Command` is a builder, like for [`command`](Session::command), you should not add
/// additional arguments to it, since the arguments are already passed within the shell
/// command.
///
/// # Non-standard Remote Shells
///
/// It is worth noting that there are really _two_ shells at work here: the one that sshd
/// launches for the session, and that launches are command; and the instance of `sh` that we
/// launch _in_ that session. This method tries hard to ensure that the provided `command` is
/// passed exactly as-is to `sh`, but this is complicated by the presence of the "outer" shell.
/// That outer shell may itself perform argument splitting, variable expansion, and the like,
/// which might produce unintuitive results. For example, the outer shell may try to expand a
/// variable that is only defined in the inner shell, and simply produce an empty string in the
/// variable's place by the time it gets to `sh`.
///
/// To counter this, this method assumes that the remote shell (the one launched by `sshd`) is
/// [POSIX compliant]. This is more or less equivalent to "supports `bash` syntax" if you don't
/// look too closely. It uses [`shell-escape`] to escape `command` before sending it to the
/// remote shell, with the expectation that the remote shell will only end up undoing that one
/// "level" of escaping, thus producing the original `command` as an argument to `sh`. This
/// works _most of the time_.
///
/// With sufficiently complex or weird commands, the escaping of `shell-escape` may not fully
/// match the "un-escaping" of the remote shell. This will manifest as escape characters
/// appearing in the `sh` command that you did not intend to be there. If this happens, try
/// changing the remote shell if you can, or fall back to [`command`](Session::command)
/// and do the escaping manually instead.
///
/// [POSIX compliant]: https://pubs.opengroup.org/onlinepubs/9699919799/xrat/V4_xcu_chap02.html
/// [this article]: https://mywiki.wooledge.org/Arguments
/// [`shell-escape`]: https://crates.io/crates/shell-escape
pub fn shell<S: AsRef<str>>(&self, command: S) -> Command<'_> {
let mut cmd = self.command("sh");
cmd.arg("-c").arg(command.as_ref());
cmd
}
/// Request to open a local/remote port forwarding.
/// The `Socket` can be either a unix socket or a tcp socket.
///
/// If `forward_type` == Local, then `listen_socket` on local machine will be
/// forwarded to `connect_socket` on remote machine.
///
/// Otherwise, `listen_socket` on the remote machine will be forwarded to `connect_socket`
/// on the local machine.
///
/// Currently, there is no way of stopping a port forwarding due to the fact that
/// openssh multiplex server/master does not support this.
pub async fn request_port_forward(
&self,
forward_type: impl Into<ForwardType>,
listen_socket: impl Into<Socket<'_>>,
connect_socket: impl Into<Socket<'_>>,
) -> Result<(), Error> {
delegate!(&self.0, imp, {
imp.request_port_forward(
forward_type.into(),
listen_socket.into(),
connect_socket.into(),
)
.await
})
}
/// Terminate the remote connection.
///
/// This destructor terminates the ssh multiplex server
/// regardless of how it was created.
pub async fn close(self) -> Result<(), Error> {
let res: Result<Option<TempDir>, Error> = delegate!(self.0, imp, { imp.close().await });
res?.map(TempDir::close)
.transpose()
.map_err(Error::Cleanup)
.map(|_| ())
}
/// Detach the lifetime of underlying ssh multiplex master
/// from this `Session`.
///
/// Return (path to control socket, path to ssh multiplex output log)
pub fn detach(self) -> (Box<Path>, Option<Box<Path>>) {
delegate!(self.0, imp, { imp.detach() })
}
}