forked from juju/juju
-
Notifications
You must be signed in to change notification settings - Fork 0
/
remote.py
350 lines (290 loc) · 12.5 KB
/
remote.py
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
350
"""Remote helper class for communicating with juju machines."""
import abc
import logging
import os
import subprocess
import sys
import zlib
import winrm
import jujupy
import utility
__metaclass__ = type
def _remote_for_series(series):
"""Give an appropriate remote class based on machine series."""
if series is not None and series.startswith("win"):
return WinRmRemote
return SSHRemote
def remote_from_unit(client, unit, series=None, status=None):
"""Create remote instance given a juju client and a unit."""
if series is None:
if status is None:
status = client.get_status()
machine = status.get_unit(unit).get("machine")
if machine is not None:
series = status.status["machines"].get(machine, {}).get("series")
remotecls = _remote_for_series(series)
return remotecls(client, unit, None, series=series, status=status)
def remote_from_address(address, series=None):
"""Create remote instance given an address"""
remotecls = _remote_for_series(series)
return remotecls(None, None, address, series=series)
class _Remote:
"""_Remote represents a juju machine to access over the network."""
__metaclass__ = abc.ABCMeta
def __init__(self, client, unit, address, series=None, status=None):
if address is None and (client is None or unit is None):
raise ValueError("Remote needs either address or client and unit")
self.client = client
self.unit = unit
self.use_juju_ssh = unit is not None
self.address = address
self.series = series
self.status = status
def __repr__(self):
params = []
if self.client is not None:
params.append("env=" + repr(self.client.env.environment))
if self.unit is not None:
params.append("unit=" + repr(self.unit))
if self.address is not None:
params.append("addr=" + repr(self.address))
return "<{} {}>".format(self.__class__.__name__, " ".join(params))
@abc.abstractmethod
def cat(self, filename):
"""
Get the contents of filename from the remote machine.
Environment variables in the filename will be expanded in a according
to platform-specific rules.
"""
@abc.abstractmethod
def copy(self, destination_dir, source_globs):
"""Copy files from the remote machine."""
def is_windows(self):
"""Returns True if remote machine is running windows."""
return self.series and self.series.startswith("win")
def get_address(self):
"""Gives the address of the remote machine."""
self._ensure_address()
return self.address
def update_address(self, address):
"""Change address of remote machine."""
self.address = address
def _get_status(self):
if self.status is None:
self.status = self.client.get_status()
return self.status
def _ensure_address(self):
if self.address:
return
if self.client is None:
raise ValueError("No address or client supplied")
status = self._get_status()
unit = status.get_unit(self.unit)
if 'public-address' not in unit:
raise ValueError("No public address for unit: {!r} {!r}".format(
self.unit, unit))
self.address = unit['public-address']
def _default_is_command_error(err):
"""
Whether to treat error as issue with remote command rather than ssh.
This is a conservative default, remote commands may return a variety of
other return codes. However, as the fallback to local ssh binary will
repeat the command, those problems will be exposed later anyway.
"""
return err.returncode == 1
def _no_platform_ssh():
"""True if no openssh binary is available on this platform."""
return sys.platform == "win32"
class SSHRemote(_Remote):
"""SSHRemote represents a juju machine to access using ssh."""
_ssh_opts = [
"-o", "User ubuntu",
"-o", "UserKnownHostsFile /dev/null",
"-o", "StrictHostKeyChecking no",
"-o", "PasswordAuthentication no",
]
# Limit each operation over SSH to 2 minutes by default
timeout = 120
def run(self, command_args, is_command_error=_default_is_command_error):
"""
Run a command on the remote machine.
If the remote instance has a juju unit run will default to using the
juju ssh command. Otherwise, or if that fails, it will fall back to
using ssh directly.
The command_args param is a string or list of arguments to be invoked
on the remote machine. A string must be given if special shell
characters are used.
The is_command_error param is a function that takes an instance of
CalledProcessError and returns whether that error comes from the
command being run rather than ssh itself. This can be used to skip the
fallback to native ssh behaviour when running commands that may fail.
"""
if not isinstance(command_args, (list, tuple)):
command_args = [command_args]
if self.use_juju_ssh:
logging.debug('juju ssh {}'.format(self.unit))
try:
return self.client.get_juju_output(
"ssh", self.unit, *command_args, timeout=self.timeout)
except subprocess.CalledProcessError as e:
logging.warning(
"juju ssh to {!r} failed, returncode: {} output: {!r}"
" stderr: {!r}".format(
self.unit, e.returncode, e.output,
getattr(e, "stderr", None)))
# Don't fallback to calling ssh directly if command really
# failed or if there is likely to be no usable ssh client.
if is_command_error(e) or _no_platform_ssh():
raise
self.use_juju_ssh = False
self._ensure_address()
args = ["ssh"]
args.extend(self._ssh_opts)
args.append(self.address)
args.extend(command_args)
logging.debug(' '.join(utility.quote(i) for i in args))
return self._run_subprocess(args)
def copy(self, destination_dir, source_globs):
"""Copy files from the remote machine."""
self._ensure_address()
args = ["scp", "-rC"]
args.extend(self._ssh_opts)
address = utility.as_literal_address(self.address)
args.extend(["{}:{}".format(address, f) for f in source_globs])
args.append(destination_dir)
self._run_subprocess(args)
def cat(self, filename):
"""
Get the contents of filename from the remote machine.
Tildes and environment variables in the form $TMP will be expanded.
"""
return self.run(["cat", filename])
def _run_subprocess(self, command):
if self.timeout:
command = jujupy.get_timeout_prefix(self.timeout) + tuple(command)
return subprocess.check_output(command, stdin=subprocess.PIPE)
class _SSLSession(winrm.Session):
def __init__(self, target, auth, transport="ssl"):
key, cert = auth
self.url = self._build_url(target, transport)
self.protocol = winrm.Protocol(self.url, transport=transport,
cert_key_pem=key, cert_pem=cert)
_ps_copy_script = """\
$ErrorActionPreference = "Stop"
function OutputEncodedFile {
param([String]$filename, [IO.Stream]$instream)
$trans = New-Object Security.Cryptography.ToBase64Transform
$out = [Console]::OpenStandardOutput()
$bs = New-Object Security.Cryptography.CryptoStream($out, $trans,
[Security.Cryptography.CryptoStreamMode]::Write)
$zs = New-Object IO.Compression.DeflateStream($bs,
[IO.Compression.CompressionMode]::Compress)
[Console]::Out.Write($filename + "|")
try {
$instream.CopyTo($zs)
} finally {
$zs.close()
$bs.close()
[Console]::Out.Write("`n")
}
}
function GatherFiles {
param([String[]]$patterns)
ForEach ($pattern in $patterns) {
$path = [Environment]::ExpandEnvironmentVariables($pattern)
ForEach ($file in Get-Item -path $path) {
try {
$in = New-Object IO.FileStream($file, [IO.FileMode]::Open,
[IO.FileAccess]::Read, [IO.FileShare]"ReadWrite,Delete")
OutputEncodedFile -filename $file.name -instream $in
} catch {
$utf8 = New-Object Text.UTF8Encoding($False)
$errstream = New-Object IO.MemoryStream(
$utf8.GetBytes($_.Exception), $False)
$errfilename = $file.name + ".copyerror"
OutputEncodedFile -filename $errfilename -instream $errstream
}
}
}
}
try {
GatherFiles -patterns @(%s)
} catch {
Write-Error $_.Exception
exit 1
}
"""
class WinRmRemote(_Remote):
"""WinRmRemote represents a juju machine to access using winrm."""
def __init__(self, *args, **kwargs):
super(WinRmRemote, self).__init__(*args, **kwargs)
self._ensure_address()
self.use_juju_ssh = False
self.certs = utility.get_winrm_certs()
self.session = _SSLSession(self.address, self.certs)
def update_address(self, address):
"""Change address of remote machine, refreshes the winrm session."""
self.address = address
self.session = _SSLSession(self.address, self.certs)
_escape = staticmethod(subprocess.list2cmdline)
def run_cmd(self, cmd_list):
"""Run cmd and arguments given as a list returning response object."""
if isinstance(cmd_list, basestring):
raise ValueError("run_cmd requires a list not a string")
# pywinrm does not correctly escape arguments, fix up by escaping cmd
# and giving args as a list of a single pre-escaped string.
cmd = self._escape(cmd_list[:1])
args = [self._escape(cmd_list[1:])]
return self.session.run_cmd(cmd, args)
def run_ps(self, script):
"""Run string of powershell returning response object."""
return self.session.run_ps(script)
def cat(self, filename):
"""
Get the contents of filename from the remote machine.
Backslashes will be treated as directory seperators. Environment
variables in the form %TMP% will be expanded.
"""
result = self.session.run_cmd("type", [self._escape([filename])])
if result.status_code:
logging.warning("winrm cat failed %r", result)
return result.std_out
# TODO(gz): Unlike SSHRemote.copy this only supports copying files, not
# directories and their content. Both the powershell script and
# the unpacking method will need updating to support that.
def copy(self, destination_dir, source_globs):
"""Copy files from the remote machine."""
# Encode globs into script to run on remote machine and return result.
script = _ps_copy_script % ",".join(s.join('""') for s in source_globs)
result = self.run_ps(script)
if result.status_code:
logging.warning("winrm copy stderr:\n%s", result.std_err)
raise subprocess.CalledProcessError(result.status_code,
"powershell", result)
self._encoded_copy_to_dir(destination_dir, result.std_out)
@staticmethod
def _encoded_copy_to_dir(destination_dir, output):
"""Write remote files from powershell script to disk.
The given output from the powershell script is one line per file, with
the filename first, then a pipe, then the base64 encoded deflated file
contents. This method reverses that process and creates the files in
the given destination_dir.
"""
start = 0
while True:
end = output.find("\n", start)
if end == -1:
break
mid = output.find("|", start, end)
if mid == -1:
if not output[start:end].rstrip("\r\n"):
break
raise ValueError("missing filename in encoded copy data")
filename = output[start:mid]
if "/" in filename:
# Just defense against path traversal bugs, should never reach.
raise ValueError("path not filename {!r}".format(filename))
with open(os.path.join(destination_dir, filename), "wb") as f:
f.write(zlib.decompress(output[mid + 1:end].decode("base64"),
-zlib.MAX_WBITS))
start = end + 1