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
|
# SPDX-License-Identifier: BSD-3-Clause
#
# Copyright 2010 Raritan Inc. All rights reserved.
# Avoid name clash with raritan.rpc.sys
from __future__ import absolute_import
import base64, json, ssl, sys, uuid
import raritan.rpc
try:
# Python 3
import urllib.request as urllib_request
from urllib.parse import urlparse
except ImportError:
# Python 2
import urllib2 as urllib_request
from urlparse import urlparse
class Agent(object):
"""Provides transport to one RPC service, e.g. one PX2 device - holds host,
user name, and password."""
id = 1
def __init__(self, proto, host, user = None, passwd = None, token = None,
debug = False, disable_certificate_verification = False, timeout = None):
self.url = "%s://%s" % (proto, host)
self.user = user
self.passwd = passwd
self.token = token # authentication token
self.debug = debug
self.timeout = timeout
context = None
if disable_certificate_verification:
import ssl
if "_create_unverified_context" in ssl.__dict__.keys():
context = ssl._create_unverified_context() # nosec B323 (only done on explicit request by the user, default is to verify the certificate)
self.opener = urllib_request.OpenerDirector()
self.opener.add_handler(urllib_request.HTTPHandler())
try:
self.opener.add_handler(urllib_request.HTTPSHandler(context = context))
except TypeError:
# Python < 2.7.9
self.opener.add_handler(urllib_request.HTTPSHandler())
Agent.defaultInst = self
def __create_request(self, target_url, data = None):
Agent.id += 1
# avoid theoretical security risk of using other URL schemes
if not (target_url.lower().startswith('http://') or target_url.lower().startswith('https://')):
raise ValueError
if data != None:
request = urllib_request.Request(target_url, data) # nosec B310 (URL scheme verified above)
else:
request = urllib_request.Request(target_url)# nosec B310 (URL scheme verified above)
if self.token != None:
request.add_header("X-SessionToken", self.token)
elif self.user != None and self.passwd != None:
basic = base64.b64encode(str.encode('%s:%s' % (self.user, self.passwd)))
request.add_header('Authorization', 'Basic ' + bytes.decode(basic))
return request
def __open_request(self, request):
try:
if (self.timeout):
response = self.opener.open(request, timeout = self.timeout)
else:
response = self.opener.open(request)
except IOError as e:
if str(e).find("CERTIFICATE_VERIFY_FAILED") >= 0:
sys.stderr.write("==================================================================\n")
sys.stderr.write(" SSL certificate verification failed!\n")
sys.stderr.write("\n")
sys.stderr.write(" When connecting to a device without valid SSL certificate, try\n")
sys.stderr.write(" adding 'disable_certificate_verification=True' when creating the\n")
sys.stderr.write(" raritan.rpc.Agent instance.\n")
sys.stderr.write("==================================================================\n")
raise raritan.rpc.HttpException("Opening URL %s failed: %s" % (request.get_full_url(), e))
return response
def set_auth_basic(self, user, passwd):
self.user = user
self.passwd = passwd
self.token = None
def set_auth_token(self, token):
self.user = None
self.passwd = None
self.token = token
def _handle_http_redirect(self, rid, response):
new_url = urlparse(response.headers["Location"])
self.url = '%s://%s' % (new_url.scheme, new_url.netloc)
if self.debug:
print("Redirected to: " + self.url)
return True
def get(self, target):
return self._get(target, False)
def _get(self, target, redirected):
target_url = "%s/%s" % (self.url, target)
request = self.__create_request(target_url)
response = self.__open_request(request)
if response.code in [ 302, 307 ] and not redirected:
# handle HTTP-to-HTTPS redirect and try again
if self._handle_http_redirect(target, response):
return self._get(target, True)
# get and process response
try:
resp = response.read()
except:
raise raritan.rpc.HttpException("Reading response failed.")
if response.code != 200:
raise raritan.rpc.HttpException("HTTP Error %d\nResponse:\n%s" % (response.code, str(resp)))
if (self.debug):
print("download: Response:\n%s" % str(resp))
return resp
def form_data_file(self, target, datas):
return self._form_data_file(target, datas, False)
def _form_data_file(self, target, datas, redirected):
target_url = "%s/%s" % (self.url, target)
request = self.__create_request(target_url)
boundary = uuid.uuid4().hex
# for certificate use key_file and cert_file
bodyArr = []
for data in datas:
filedata = data['data']
filename = data['filename']
formname = data['formname']
mimetype = data['mimetype']
bodyArr.append('--%s' % boundary)
bodyArr.append('Content-Disposition: form-data; name="%s"; filename="%s"' % (formname, filename))
bodyArr.append('Content-Type: %s' % mimetype)
bodyArr.append('')
bodyArr.append(filedata)
bodyArr.append('--%s--' % boundary)
body = bytes()
for l in bodyArr:
if isinstance(l, bytes): body += l + b'\r\n'
else: body += bytes(l, encoding='utf8') + b'\r\n'
request.add_header('Content-Type', 'multipart/form-data; boundary=%s' % boundary)
try:
request.data = body
except AttributeError:
request.add_data(body)
response = self.__open_request(request)
if response.code in [ 302, 307 ] and not redirected:
# handle HTTP-to-HTTPS redirect and try again
if self._handle_http_redirect(target, response):
return self._form_data_file(target, datas, True)
# get and process response
try:
resp = bytes.decode(response.read())
except:
raise raritan.rpc.HttpException("Reading response failed.")
if response.code != 200:
raise raritan.rpc.HttpException("HTTP Error %d\nResponse:\n%s" % (response.code, resp))
if (self.debug):
print("form_data: Response:\n%s" % resp)
# can't return the response object, because the read operation can only called once
# (HTTPResponse Objects are not seekable)
# https://docs.python.org/3/library/http.client.html#httpresponse-objects
return dict(
headers = response.headers,
body = resp
)
def json_rpc(self, target, method, params = [], redirected = False):
request_json = json.dumps({"method": method, "params": params, "id": Agent.id})
if (self.debug):
print("json_rpc: %s() - %s: , request = %s" % (method, target, request_json))
target_url = "%s/%s" % (self.url, target)
request = self.__create_request(target_url, str.encode(request_json))
request.add_header("Content-Type", "application/json; charset=UTF-8")
if self.token != None:
request.add_header("X-SessionToken", self.token)
elif self.user != None and self.passwd != None:
basic = base64.b64encode(str.encode('%s:%s' % (self.user, self.passwd)))
request.add_header('Authorization', 'Basic ' + bytes.decode(basic))
response = self.__open_request(request)
if response.code in [ 302, 307 ] and not redirected:
# handle HTTP-to-HTTPS redirect and try again
if self._handle_http_redirect(target, response):
return self.json_rpc(target, method, params, True)
# get and process response
try:
resp = bytes.decode(response.read())
except:
raise raritan.rpc.HttpException("Reading response failed.")
if response.code != 200:
raise raritan.rpc.HttpException("HTTP Error %d\nResponse:\n%s" % (response.code, resp))
if (self.debug):
print("json_rpc: Response:\n%s" % resp)
try:
resp_json = json.loads(resp)
except ValueError as e:
raise raritan.rpc.JsonRpcSyntaxException(
"Decoding response to JSON failed: %s" % e)
if "error" in resp_json:
try:
code = resp_json["error"]["code"]
msg = resp_json["error"]["message"]
except KeyError:
raise raritan.rpc.JsonRpcSyntaxException(
"JSON RPC returned malformed error: %s" % resp_json)
raise raritan.rpc.JsonRpcErrorException(
"JSON RPC returned error: code = %d, msg = %s" % (code, msg))
try:
res = resp_json["result"]
except KeyError:
raise raritan.rpc.JsonRpcSyntaxException(
"Result is missing in JSON RPC response: %s" % resp_json)
return res
|