/usr/share/pyshared/libcloud/compute/ssh.py is in python-libcloud 0.5.0-1.1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | # Licensed to the Apache Software Foundation (ASF) under one or more
# contributor license agreements. See the NOTICE file distributed with
# this work for additional information regarding copyright ownership.
# The ASF licenses this file to You under the Apache License, Version 2.0
# (the "License"); you may not use this file except in compliance with
# the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""
Wraps multiple ways to communicate over SSH
"""
have_paramiko = False
try:
import paramiko
have_paramiko = True
except ImportError:
pass
# Depending on your version of Paramiko, it may cause a deprecation
# warning on Python 2.6.
# Ref: https://bugs.launchpad.net/paramiko/+bug/392973
from os.path import split as psplit
class BaseSSHClient(object):
"""
Base class representing a connection over SSH/SCP to a remote node.
"""
def __init__(self, hostname, port=22, username='root', password=None,
key=None, timeout=None):
"""
@type hostname: C{str}
@keyword hostname: Hostname or IP address to connect to.
@type port: C{int}
@keyword port: TCP port to communicate on, defaults to 22.
@type username: C{str}
@keyword username: Username to use, defaults to root.
@type password: C{str}
@keyword password: Password to authenticate with.
@type key: C{list}
@keyword key: Private SSH keys to authenticate with.
"""
self.hostname = hostname
self.port = port
self.username = username
self.password = password
self.key = key
self.timeout = timeout
def connect(self):
"""
Connect to the remote node over SSH.
@return: C{bool}
"""
raise NotImplementedError, \
'connect not implemented for this ssh client'
def put(self, path, contents=None, chmod=None):
"""
Upload a file to the remote node.
@type path: C{str}
@keyword path: File path on the remote node.
@type contents: C{str}
@keyword contents: File Contents.
@type chmod: C{int}
@keyword chmod: chmod file to this after creation.
"""
raise NotImplementedError, \
'put not implemented for this ssh client'
def delete(self, path):
"""
Delete/Unlink a file on the remote node.
@type path: C{str}
@keyword path: File path on the remote node.
"""
raise NotImplementedError, \
'delete not implemented for this ssh client'
def run(self, cmd):
"""
Run a command on a remote node.
@type cmd: C{str}
@keyword cmd: Command to run.
@return C{list} of [stdout, stderr, exit_status]
"""
raise NotImplementedError, \
'run not implemented for this ssh client'
def close(self):
"""
Shutdown connection to the remote node.
"""
raise NotImplementedError, \
'close not implemented for this ssh client'
class ParamikoSSHClient(BaseSSHClient):
"""
A SSH Client powered by Paramiko.
"""
def __init__(self, hostname, port=22, username='root', password=None,
key=None, timeout=None):
super(ParamikoSSHClient, self).__init__(hostname, port, username,
password, key, timeout)
self.client = paramiko.SSHClient()
self.client.set_missing_host_key_policy(paramiko.AutoAddPolicy())
def connect(self):
conninfo = {'hostname': self.hostname,
'port': self.port,
'username': self.username,
'password': self.password,
'allow_agent': False,
'look_for_keys': False}
if self.timeout:
conninfo['timeout'] = self.timeout
self.client.connect(**conninfo)
return True
def put(self, path, contents=None, chmod=None):
sftp = self.client.open_sftp()
# less than ideal, but we need to mkdir stuff otherwise file() fails
head, tail = psplit(path)
if path[0] == "/":
sftp.chdir("/")
for part in head.split("/"):
if part != "":
try:
sftp.mkdir(part)
except IOError:
# so, there doesn't seem to be a way to
# catch EEXIST consistently *sigh*
pass
sftp.chdir(part)
ak = sftp.file(tail, mode='w')
ak.write(contents)
if chmod is not None:
ak.chmod(chmod)
ak.close()
sftp.close()
def delete(self, path):
sftp = self.client.open_sftp()
sftp.unlink(path)
sftp.close()
def run(self, cmd):
# based on exec_command()
bufsize = -1
t = self.client.get_transport()
chan = t.open_session()
chan.exec_command(cmd)
stdin = chan.makefile('wb', bufsize)
stdout = chan.makefile('rb', bufsize)
stderr = chan.makefile_stderr('rb', bufsize)
#stdin, stdout, stderr = self.client.exec_command(cmd)
stdin.close()
status = chan.recv_exit_status()
so = stdout.read()
se = stderr.read()
return [so, se, status]
def close(self):
self.client.close()
class ShellOutSSHClient(BaseSSHClient):
# TODO: write this one
pass
SSHClient = ParamikoSSHClient
if not have_paramiko:
SSHClient = ShellOutSSHClient
|