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
|
# -*- coding: utf-8 -*-
#
# Copyright (C) 2019 Radim Rehurek <me@radimrehurek.com>
#
# This code is distributed under the terms and conditions
# from the MIT License (MIT).
#
"""Implements I/O streams over SSH.
Examples
--------
>>> with open('/proc/version_signature', host='1.2.3.4') as conn:
... print(conn.read())
b'Ubuntu 4.4.0-1061.70-aws 4.4.131'
Similarly, from a command line::
$ python -c "from smart_open import ssh;print(ssh.open('/proc/version_signature', host='1.2.3.4').read())"
b'Ubuntu 4.4.0-1061.70-aws 4.4.131'
"""
import getpass
import os
import logging
import urllib.parse
from typing import (
Dict,
Callable,
Tuple,
)
try:
import paramiko
except ImportError:
MISSING_DEPS = True
import smart_open.utils
logger = logging.getLogger(__name__)
#
# Global storage for SSH connections.
#
_SSH = {}
SCHEMES = ("ssh", "scp", "sftp")
"""Supported URL schemes."""
DEFAULT_PORT = 22
URI_EXAMPLES = (
'ssh://username@host/path/file',
'ssh://username@host//path/file',
'scp://username@host/path/file',
'sftp://username@host/path/file',
)
#
# Global storage for SSH config files.
#
_SSH_CONFIG_FILES = [os.path.expanduser("~/.ssh/config")]
def _unquote(text):
return text and urllib.parse.unquote(text)
def _str2bool(string):
if string == "no":
return False
if string == "yes":
return True
raise ValueError(f"Expected 'yes' / 'no', got {string}.")
#
# The parameter names used by Paramiko (and smart_open) slightly differ to
# those used in ~/.ssh/config, so we use a mapping to bridge the gap.
#
# The keys are option names as they appear in Paramiko (and smart_open)
# The values are a tuples containing:
#
# 1. their corresponding names in the ~/.ssh/config file
# 2. a callable to convert the parameter value from a string to the appropriate type
#
_PARAMIKO_CONFIG_MAP: Dict[str, Tuple[str, Callable]] = {
"timeout": ("connecttimeout", float),
"compress": ("compression", _str2bool),
"gss_auth": ("gssapiauthentication", _str2bool),
"gss_kex": ("gssapikeyexchange", _str2bool),
"gss_deleg_creds": ("gssapidelegatecredentials", _str2bool),
"gss_trust_dns": ("gssapitrustdns", _str2bool),
}
def parse_uri(uri_as_string):
split_uri = urllib.parse.urlsplit(uri_as_string)
assert split_uri.scheme in SCHEMES
return dict(
scheme=split_uri.scheme,
uri_path=_unquote(split_uri.path),
user=_unquote(split_uri.username),
host=split_uri.hostname,
port=int(split_uri.port) if split_uri.port else None,
password=_unquote(split_uri.password),
)
def open_uri(uri, mode, transport_params):
kwargs = smart_open.utils.check_kwargs(open, transport_params)
parsed_uri = parse_uri(uri)
uri_path = parsed_uri.pop('uri_path')
parsed_uri.pop('scheme')
final_params = {**parsed_uri, **kwargs} # transport_params takes precedence over uri
return open(uri_path, mode, **final_params)
def _connect_ssh(hostname, username, port, password, connect_kwargs):
ssh = paramiko.SSHClient()
ssh.load_system_host_keys()
ssh.set_missing_host_key_policy(paramiko.AutoAddPolicy())
kwargs = (connect_kwargs or {}).copy()
if 'key_filename' not in kwargs:
kwargs.setdefault('password', password)
kwargs.setdefault('username', username)
ssh.connect(hostname, port, **kwargs)
return ssh
def _maybe_fetch_config(host, username=None, password=None, port=None, connect_kwargs=None):
# If all fields are set, return as-is.
if not any(arg is None for arg in (host, username, password, port, connect_kwargs)):
return host, username, password, port, connect_kwargs
if not host:
raise ValueError('you must specify the host to connect to')
# Attempt to load an OpenSSH config.
#
# Connections configured in this way are not guaranteed to perform exactly
# as they do in typical usage due to mismatches between the set of OpenSSH
# configuration options and those that Paramiko supports. We provide a best
# attempt, and support:
#
# - hostname -> address resolution
# - username inference
# - port inference
# - identityfile inference
# - connection timeout inference
# - compression selection
# - GSS configuration
#
connect_params = (connect_kwargs or {}).copy()
config_files = [f for f in _SSH_CONFIG_FILES if os.path.exists(f)]
#
# This is the actual name of the host. The input host may actually be an
# alias.
#
actual_hostname = ""
for config_filename in config_files:
try:
cfg = paramiko.SSHConfig.from_path(config_filename)
except PermissionError:
continue
if host not in cfg.get_hostnames():
continue
cfg = cfg.lookup(host)
if username is None:
username = cfg.get("user", None)
if not actual_hostname:
actual_hostname = cfg["hostname"]
if port is None:
try:
port = int(cfg["port"])
except (KeyError, ValueError):
#
# Nb. ignore missing/invalid port numbers
#
pass
#
# Special case, as we can have multiple identity files, so we check
# that the identityfile list has len > 0. This should be redundant, but
# keeping it for safety.
#
if connect_params.get("key_filename") is None:
identityfile = cfg.get("identityfile", [])
if len(identityfile):
connect_params["key_filename"] = identityfile
for param_name, (sshcfg_name, from_str) in _PARAMIKO_CONFIG_MAP.items():
if connect_params.get(param_name) is None and sshcfg_name in cfg:
connect_params[param_name] = from_str(cfg[sshcfg_name])
#
# Continue working through other config files, if there are any,
# as they may contain more options for our host
#
if port is None:
port = DEFAULT_PORT
if not username:
username = getpass.getuser()
if actual_hostname:
host = actual_hostname
return host, username, password, port, connect_params
def open(
path,
mode="r",
host=None,
user=None,
password=None,
port=None,
connect_kwargs=None,
prefetch_kwargs=None,
buffer_size=-1,
):
"""Open a file on a remote machine over SSH.
Expects authentication to be already set up via existing keys on the local machine.
Parameters
----------
path: str
The path to the file to open on the remote machine.
mode: str, optional
The mode to use for opening the file.
host: str, optional
The hostname of the remote machine. May not be None.
user: str, optional
The username to use to login to the remote machine.
If None, defaults to the name of the current user.
password: str, optional
The password to use to login to the remote machine.
port: int, optional
The port to connect to.
connect_kwargs: dict, optional
Any additional settings to be passed to paramiko.SSHClient.connect.
prefetch_kwargs: dict, optional
Any additional settings to be passed to paramiko.SFTPFile.prefetch.
The presence of this dict (even if empty) triggers prefetching.
buffer_size: int, optional
Passed to the bufsize argument of paramiko.SFTPClient.open.
Returns
-------
A file-like object.
Important
---------
If you specify a previously unseen host, then its host key will be added to
the local ~/.ssh/known_hosts *automatically*.
If ``username`` or ``password`` are specified in *both* the uri and
``transport_params``, ``transport_params`` will take precedence
"""
host, user, password, port, connect_kwargs = _maybe_fetch_config(
host, user, password, port, connect_kwargs
)
key = (host, user)
attempts = 2
for attempt in range(attempts):
try:
ssh = _SSH[key]
# Validate that the cached connection is still an active connection
# and if not, refresh the connection
if not ssh.get_transport().active:
ssh.close()
ssh = _SSH[key] = _connect_ssh(host, user, port, password, connect_kwargs)
except KeyError:
ssh = _SSH[key] = _connect_ssh(host, user, port, password, connect_kwargs)
try:
transport = ssh.get_transport()
sftp_client = transport.open_sftp_client()
break
except paramiko.SSHException as ex:
connection_timed_out = ex.args and ex.args[0] == 'SSH session not active'
if attempt == attempts - 1 or not connection_timed_out:
raise
#
# Try again. Delete the connection from the cache to force a
# reconnect in the next attempt.
#
del _SSH[key]
fobj = sftp_client.open(path, mode=mode, bufsize=buffer_size)
fobj.name = path
if prefetch_kwargs is not None:
fobj.prefetch(**prefetch_kwargs)
return fobj
|