This patch is used to add grafana config to opnfv dashboard for
[yardstick.git] / yardstick / ssh.py
1 # Copyright 2013: Mirantis Inc.
2 # All Rights Reserved.
3 #
4 #    Licensed under the Apache License, Version 2.0 (the "License"); you may
5 #    not use this file except in compliance with the License. You may obtain
6 #    a copy of the License at
7 #
8 #         http://www.apache.org/licenses/LICENSE-2.0
9 #
10 #    Unless required by applicable law or agreed to in writing, software
11 #    distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
12 #    WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
13 #    License for the specific language governing permissions and limitations
14 #    under the License.
15
16 # yardstick comment: this is a modified copy of rally/rally/common/sshutils.py
17
18 """High level ssh library.
19
20 Usage examples:
21
22 Execute command and get output:
23
24     ssh = sshclient.SSH("root", "example.com", port=33)
25     status, stdout, stderr = ssh.execute("ps ax")
26     if status:
27         raise Exception("Command failed with non-zero status.")
28     print stdout.splitlines()
29
30 Execute command with huge output:
31
32     class PseudoFile(object):
33         def write(chunk):
34             if "error" in chunk:
35                 email_admin(chunk)
36
37     ssh = sshclient.SSH("root", "example.com")
38     ssh.run("tail -f /var/log/syslog", stdout=PseudoFile(), timeout=False)
39
40 Execute local script on remote side:
41
42     ssh = sshclient.SSH("user", "example.com")
43     status, out, err = ssh.execute("/bin/sh -s arg1 arg2",
44                                    stdin=open("~/myscript.sh", "r"))
45
46 Upload file:
47
48     ssh = sshclient.SSH("user", "example.com")
49     ssh.run("cat > ~/upload/file.gz", stdin=open("/store/file.gz", "rb"))
50
51 Eventlet:
52
53     eventlet.monkey_patch(select=True, time=True)
54     or
55     eventlet.monkey_patch()
56     or
57     sshclient = eventlet.import_patched("opentstack.common.sshclient")
58
59 """
60
61 import select
62 import socket
63 import time
64
65 import paramiko
66 from scp import SCPClient
67 import six
68 import logging
69
70 LOG = logging.getLogger(__name__)
71
72
73 class SSHError(Exception):
74     pass
75
76
77 class SSHTimeout(SSHError):
78     pass
79
80
81 class SSH(object):
82     """Represent ssh connection."""
83
84     def __init__(self, user, host, port=22, pkey=None,
85                  key_filename=None, password=None):
86         """Initialize SSH client.
87
88         :param user: ssh username
89         :param host: hostname or ip address of remote ssh server
90         :param port: remote ssh port
91         :param pkey: RSA or DSS private key string or file object
92         :param key_filename: private key filename
93         :param password: password
94         """
95
96         self.user = user
97         self.host = host
98         self.port = port
99         self.pkey = self._get_pkey(pkey) if pkey else None
100         self.password = password
101         self.key_filename = key_filename
102         self._client = False
103
104     def _get_pkey(self, key):
105         if isinstance(key, six.string_types):
106             key = six.moves.StringIO(key)
107         errors = []
108         for key_class in (paramiko.rsakey.RSAKey, paramiko.dsskey.DSSKey):
109             try:
110                 return key_class.from_private_key(key)
111             except paramiko.SSHException as e:
112                 errors.append(e)
113         raise SSHError("Invalid pkey: %s" % (errors))
114
115     def _get_client(self):
116         if self._client:
117             return self._client
118         try:
119             self._client = paramiko.SSHClient()
120             self._client.set_missing_host_key_policy(paramiko.AutoAddPolicy())
121             self._client.connect(self.host, username=self.user,
122                                  port=self.port, pkey=self.pkey,
123                                  key_filename=self.key_filename,
124                                  password=self.password,
125                                  allow_agent=False, look_for_keys=False,
126                                  timeout=1)
127             return self._client
128         except Exception as e:
129             message = ("Exception %(exception_type)s was raised "
130                        "during connect. Exception value is: %(exception)r")
131             self._client = False
132             raise SSHError(message % {"exception": e,
133                                       "exception_type": type(e)})
134
135     def close(self):
136         self._client.close()
137         self._client = False
138
139     def run(self, cmd, stdin=None, stdout=None, stderr=None,
140             raise_on_error=True, timeout=3600):
141         """Execute specified command on the server.
142
143         :param cmd:             Command to be executed.
144         :param stdin:           Open file or string to pass to stdin.
145         :param stdout:          Open file to connect to stdout.
146         :param stderr:          Open file to connect to stderr.
147         :param raise_on_error:  If False then exit code will be return. If True
148                                 then exception will be raized if non-zero code.
149         :param timeout:         Timeout in seconds for command execution.
150                                 Default 1 hour. No timeout if set to 0.
151         """
152
153         client = self._get_client()
154
155         if isinstance(stdin, six.string_types):
156             stdin = six.moves.StringIO(stdin)
157
158         return self._run(client, cmd, stdin=stdin, stdout=stdout,
159                          stderr=stderr, raise_on_error=raise_on_error,
160                          timeout=timeout)
161
162     def _run(self, client, cmd, stdin=None, stdout=None, stderr=None,
163              raise_on_error=True, timeout=3600):
164
165         transport = client.get_transport()
166         session = transport.open_session()
167         session.exec_command(cmd)
168         start_time = time.time()
169
170         data_to_send = ""
171         stderr_data = None
172
173         # If we have data to be sent to stdin then `select' should also
174         # check for stdin availability.
175         if stdin and not stdin.closed:
176             writes = [session]
177         else:
178             writes = []
179
180         while True:
181             # Block until data can be read/write.
182             r, w, e = select.select([session], writes, [session], 1)
183
184             if session.recv_ready():
185                 data = session.recv(4096)
186                 LOG.debug("stdout: %r" % data)
187                 if stdout is not None:
188                     stdout.write(data)
189                 continue
190
191             if session.recv_stderr_ready():
192                 stderr_data = session.recv_stderr(4096)
193                 LOG.debug("stderr: %r" % stderr_data)
194                 if stderr is not None:
195                     stderr.write(stderr_data)
196                 continue
197
198             if session.send_ready():
199                 if stdin is not None and not stdin.closed:
200                     if not data_to_send:
201                         data_to_send = stdin.read(4096)
202                         if not data_to_send:
203                             stdin.close()
204                             session.shutdown_write()
205                             writes = []
206                             continue
207                     sent_bytes = session.send(data_to_send)
208                     # LOG.debug("sent: %s" % data_to_send[:sent_bytes])
209                     data_to_send = data_to_send[sent_bytes:]
210
211             if session.exit_status_ready():
212                 break
213
214             if timeout and (time.time() - timeout) > start_time:
215                 args = {"cmd": cmd, "host": self.host}
216                 raise SSHTimeout("Timeout executing command "
217                                  "'%(cmd)s' on host %(host)s" % args)
218             if e:
219                 raise SSHError("Socket error.")
220
221         exit_status = session.recv_exit_status()
222         if 0 != exit_status and raise_on_error:
223             fmt = "Command '%(cmd)s' failed with exit_status %(status)d."
224             details = fmt % {"cmd": cmd, "status": exit_status}
225             if stderr_data:
226                 details += " Last stderr data: '%s'." % stderr_data
227             raise SSHError(details)
228         return exit_status
229
230     def execute(self, cmd, stdin=None, timeout=3600):
231         """Execute the specified command on the server.
232
233         :param cmd:     Command to be executed.
234         :param stdin:   Open file to be sent on process stdin.
235         :param timeout: Timeout for execution of the command.
236
237         :returns: tuple (exit_status, stdout, stderr)
238         """
239         stdout = six.moves.StringIO()
240         stderr = six.moves.StringIO()
241
242         exit_status = self.run(cmd, stderr=stderr,
243                                stdout=stdout, stdin=stdin,
244                                timeout=timeout, raise_on_error=False)
245         stdout.seek(0)
246         stderr.seek(0)
247         return (exit_status, stdout.read(), stderr.read())
248
249     def wait(self, timeout=120, interval=1):
250         """Wait for the host will be available via ssh."""
251         start_time = time.time()
252         while True:
253             try:
254                 return self.execute("uname")
255             except (socket.error, SSHError) as e:
256                 LOG.debug("Ssh is still unavailable: %r" % e)
257                 time.sleep(interval)
258             if time.time() > (start_time + timeout):
259                 raise SSHTimeout("Timeout waiting for '%s'" % self.host)
260
261     def put(self, files, remote_path=b'.', recursive=False):
262         client = self._get_client()
263
264         with SCPClient(client.get_transport()) as scp:
265             scp.put(files, remote_path, recursive)
266
267     # keep shell running in the background, e.g. screen
268     def send_command(self, command):
269         client = self._get_client()
270         client.exec_command(command, get_pty=True)