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
|
import os, sys, time, signal, socket, re, fnmatch, logging, threading
import paramiko
from autotest_lib.client.common_lib import utils, error
from autotest_lib.server import subcommand
from autotest_lib.server.hosts import abstract_ssh
class ParamikoHost(abstract_ssh.AbstractSSHHost):
KEEPALIVE_TIMEOUT_SECONDS = 30
CONNECT_TIMEOUT_SECONDS = 30
CONNECT_TIMEOUT_RETRIES = 3
def _initialize(self, hostname, *args, **dargs):
super(ParamikoHost, self)._initialize(hostname=hostname, *args, **dargs)
# paramiko is very noisy, tone down the logging
paramiko.util.log_to_file("/dev/null", paramiko.util.ERROR)
self.keys = self.get_user_keys(hostname)
self.pid = None
@staticmethod
def _load_key(path):
"""Given a path to a private key file, load the appropriate keyfile.
Tries to load the file as both an RSAKey and a DSAKey. If the file
cannot be loaded as either type, returns None."""
try:
return paramiko.DSSKey.from_private_key_file(path)
except paramiko.SSHException:
try:
return paramiko.RSAKey.from_private_key_file(path)
except paramiko.SSHException:
return None
@staticmethod
def _parse_config_line(line):
"""Given an ssh config line, return a (key, value) tuple for the
config value listed in the line, or (None, None)"""
match = re.match(r"\s*(\w+)\s*=?(.*)\n", line)
if match:
return match.groups()
else:
return None, None
@staticmethod
def get_user_keys(hostname):
"""Returns a mapping of path -> paramiko.PKey entries available for
this user. Keys are found in the default locations (~/.ssh/id_[d|r]sa)
as well as any IdentityFile entries in the standard ssh config files.
"""
raw_identity_files = ["~/.ssh/id_dsa", "~/.ssh/id_rsa"]
for config_path in ("/etc/ssh/ssh_config", "~/.ssh/config"):
if not os.path.exists(config_path):
continue
host_pattern = "*"
config_lines = open(os.path.expanduser(config_path)).readlines()
for line in config_lines:
key, value = ParamikoHost._parse_config_line(line)
if key == "Host":
host_pattern = value
elif (key == "IdentityFile"
and fnmatch.fnmatch(hostname, host_pattern)):
raw_identity_files.append(host_pattern)
# drop any files that use percent-escapes; we don't support them
identity_files = []
UNSUPPORTED_ESCAPES = ["%d", "%u", "%l", "%h", "%r"]
for path in raw_identity_files:
# skip this path if it uses % escapes
if sum((escape in path) for escape in UNSUPPORTED_ESCAPES):
continue
path = os.path.expanduser(path)
if os.path.exists(path):
identity_files.append(path)
# load up all the keys that we can and return them
user_keys = {}
for path in identity_files:
key = ParamikoHost._load_key(path)
if key:
user_keys[path] = key
return user_keys
@staticmethod
def _check_transport_error(transport):
error = transport.get_exception()
if error:
transport.close()
raise error
def _connect_transport(self, pkey):
for _ in xrange(self.CONNECT_TIMEOUT_RETRIES):
transport = paramiko.Transport((self.hostname, self.port))
completed = threading.Event()
transport.start_client(completed)
completed.wait(self.CONNECT_TIMEOUT_SECONDS)
if completed.isSet():
self._check_transport_error(transport)
completed.clear()
transport.auth_publickey(self.user, pkey, completed)
completed.wait(self.CONNECT_TIMEOUT_SECONDS)
if completed.isSet():
self._check_transport_error(transport)
if not transport.is_authenticated():
transport.close()
raise paramiko.AuthenticationException()
return transport
logging.warn("SSH negotiation timed out, retrying")
# HACK: we can't count on transport.join not hanging now, either
transport.join = lambda: None
transport.close()
logging.error("SSH negotation has timed out %s times, giving up",
self.CONNECT_TIMEOUT_RETRIES)
raise error.AutoservSSHTimeout("SSH negotiation timed out")
def _init_transport(self):
for path, key in self.keys.iteritems():
try:
logging.debug("Connecting with %s", path)
transport = self._connect_transport(key)
transport.set_keepalive(self.KEEPALIVE_TIMEOUT_SECONDS)
self.transport = transport
self.pid = os.getpid()
return
except paramiko.AuthenticationException:
logging.debug("Authentication failure")
else:
raise error.AutoservSshPermissionDeniedError(
"Permission denied using all keys available to ParamikoHost",
utils.CmdResult())
def _open_channel(self, timeout):
start_time = time.time()
if os.getpid() != self.pid:
if self.pid is not None:
# HACK: paramiko tries to join() on its worker thread
# and this just hangs on linux after a fork()
self.transport.join = lambda: None
self.transport.atfork()
join_hook = lambda cmd: self._close_transport()
subcommand.subcommand.register_join_hook(join_hook)
logging.debug("Reopening SSH connection after a process fork")
self._init_transport()
channel = None
try:
channel = self.transport.open_session()
except (socket.error, paramiko.SSHException, EOFError), e:
logging.warn("Exception occured while opening session: %s", e)
if time.time() - start_time >= timeout:
raise error.AutoservSSHTimeout("ssh failed: %s" % e)
if not channel:
# we couldn't get a channel; re-initing transport should fix that
try:
self.transport.close()
except Exception, e:
logging.debug("paramiko.Transport.close failed with %s", e)
self._init_transport()
return self.transport.open_session()
else:
return channel
def _close_transport(self):
if os.getpid() == self.pid:
self.transport.close()
def close(self):
super(ParamikoHost, self).close()
self._close_transport()
@staticmethod
def _exhaust_stream(tee, output_list, recvfunc):
while True:
try:
output_list.append(recvfunc(2**16))
except socket.timeout:
return
tee.write(output_list[-1])
if not output_list[-1]:
return
def run(self, command, timeout=3600, ignore_status=False,
stdout_tee=utils.TEE_TO_LOGS, stderr_tee=utils.TEE_TO_LOGS,
connect_timeout=30, verbose=True):
"""
Run a command on the remote host.
Args:
command: the command line string
timeout: time limit in seconds before attempting to
kill the running process. The run() function
will take a few seconds longer than 'timeout'
to complete if it has to kill the process.
ignore_status: do not raise an exception, no matter
what the exit code of the command is.
Returns:
a utils.CmdResult object
Raises:
AutoservRunError: the exit code of the command
execution was not 0
AutoservSSHTimeout: ssh connection has timed out
"""
stdout = utils.get_stream_tee_file(stdout_tee, logging.DEBUG)
stderr = utils.get_stream_tee_file(stderr_tee, logging.ERROR)
if verbose:
logging.debug("ssh-paramiko: %s" % command)
# start up the command
start_time = time.time()
try:
channel = self._open_channel(timeout)
channel.exec_command(command)
except (socket.error, paramiko.SSHException), e:
raise error.AutoservSSHTimeout("ssh failed: %s" % e)
# pull in all the stdout, stderr until the command terminates
raw_stdout, raw_stderr = [], []
timed_out = False
while not channel.exit_status_ready():
if channel.recv_ready():
raw_stdout.append(channel.recv(2**16))
stdout.write(raw_stdout[-1])
if channel.recv_stderr_ready():
raw_stderr.append(channel.recv_stderr(2**16))
stderr.write(raw_stderr[-1])
if timeout and time.time() - start_time > timeout:
timed_out = True
break
time.sleep(1)
if timed_out:
exit_status = -signal.SIGTERM
else:
exit_status = channel.recv_exit_status()
channel.settimeout(10)
self._exhaust_stream(stdout, raw_stdout, channel.recv)
self._exhaust_stream(stderr, raw_stderr, channel.recv_stderr)
channel.close()
duration = time.time() - start_time
# create the appropriate results
stdout = "".join(raw_stdout)
stderr = "".join(raw_stderr)
result = utils.CmdResult(command, stdout, stderr, exit_status,
duration)
if exit_status == -signal.SIGHUP:
msg = "ssh connection unexpectedly terminated"
raise error.AutoservRunError(msg, result)
if not ignore_status and exit_status:
raise error.AutoservRunError(command, result)
return result
|