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
|
"""M2Crypto support for Python 2.x's httplib.
Copyright (c) 1999-2002 Ng Pheng Siong. All rights reserved."""
import string
from M2Crypto import SSL
from httplib import (
FakeSocket,
HTTP,
HTTPConnection,
HTTPResponse,
HTTPS_PORT,
)
class HTTPSConnection(HTTPConnection):
"""
This class allows communication via SSL using M2Crypto.
"""
default_port = HTTPS_PORT
def __init__(self, host, port=None, **ssl):
keys = ssl.keys()
try:
keys.remove("key_file")
except ValueError:
pass
try:
keys.remove("cert_file")
except ValueError:
pass
try:
keys.remove("ssl_context")
except ValueError:
pass
if keys:
raise ValueError()
try:
self.ssl_ctx = ssl["ssl_context"]
assert isinstance(self.ssl_ctx, SSL.Context)
except KeyError:
self.ssl_ctx = SSL.Context("sslv23")
HTTPConnection.__init__(self, host, port)
def connect(self):
self.sock = SSL.Connection(self.ssl_ctx)
self.sock.connect((self.host, self.port))
def close(self):
# This kludges around line 545 of httplib.py,
# which closes the connection in this object;
# the connection remains open in the response
# object.
#
# M2Crypto doesn't close-here-keep-open-there,
# so, in effect, we don't close until the whole
# business is over and gc kicks in.
#
# Long-running callers beware leakage.
#
# 05-Jan-2002: This module works with Python 2.2,
# but I've not investigated if the above conditions
# remain.
pass
class HTTPS(HTTP):
_connection_class = HTTPSConnection
def __init__(self, host="", port=None, **ssl):
HTTP.__init__(self, host, port)
try:
self.ssl_ctx = ssl["ssl_context"]
except KeyError:
self.ssl_ctx = SSL.Context("sslv23")
# ISS Added.
# From here, starts the proxy patch
class HTTPProxyConnection(HTTPConnection):
"""
This class provides HTTP access through (authenticated) proxies.
Example:
If the HTTP proxy address is proxy.your.org:8080, an authenticated proxy
(one which requires a username/password combination in order to serve
requests), one can fetch HTTP documents from 'www.webserver.net', port 81:
conn = HTTPProxyConnection('proxy.your.org:8080', 'www.webserver.net',
port=81, username='username', password='password')
conn.connect()
conn.request("HEAD", "/index.html", headers={'X-Custom-Header-1' : 'Value-1'})
resp = conn.getresponse()
...
"""
def __init__(self, proxy, host, port=None, username=None, password=None):
# The connection goes through the proxy
HTTPConnection.__init__(self, proxy)
# save the proxy connection settings
self.__proxy, self.__proxy_port = self.host, self.port
# self.host and self.port will point to the real host
self._set_hostport(host, port)
# save the host and port
self._host, self._port = self.host, self.port
# Authenticated proxies support
self.__username = username
self.__password = password
def connect(self):
"""Connect to the host and port specified in __init__ (through a
proxy)."""
# We are connecting to the proxy, so use the proxy settings
self._set_hostport(self.__proxy, self.__proxy_port)
HTTPConnection.connect(self)
# Restore the real host and port
self._set_hostport(self._host, self._port)
def putrequest(self, method, url):
"""Send a request to the server.
`method' specifies an HTTP request method, e.g. 'GET'.
`url' specifies the object being requested, e.g. '/index.html'.
"""
# The URL has to include the real host
hostname = self._host
if self._port != self.default_port:
hostname = hostname + ":" + str(self._port)
newurl = "http://%s%s" % (hostname, url)
# Piggyback on the parent class
HTTPConnection.putrequest(self, method, newurl)
# Add proxy-specific headers
self._add_auth_proxy_header()
def _add_auth_proxy_header(self):
"""Adds an HTTP header for authenticated proxies"""
if not self.__username:
# No username, so assume not an authenticated proxy
return
# Authenticated proxy
import base64
userpass = "%s:%s" % (self.__username, self.__password)
enc_userpass = base64.encodestring(userpass).strip()
self.putheader("Proxy-Authorization", "Basic %s" % enc_userpass)
class HTTPSProxyResponse(HTTPResponse):
"""
Replacement class for HTTPResponse
Proxy responses (made through SSL) have to keep the connection open
after the initial request, since the connection is tunneled to the SSL
host with the CONNECT method.
"""
def begin(self):
HTTPResponse.begin(self)
self.will_close = 0
class HTTPSProxyConnection(HTTPProxyConnection):
"""This class provides HTTP access through (authenticated) proxies.
Example:
If the HTTP proxy address is proxy.your.org:8080, an authenticated proxy
(one which requires a username/password combination in order to serve
requests), one can fetch HTTP documents from 'www.webserver.net', port 81:
conn = HTTPProxyConnection('proxy.your.org:8080', 'www.webserver.net',
port=81, username='username', password='password')
conn.connect()
conn.request("HEAD", "/index.html", headers={'X-Custom-Header-1' : 'Value-1'})
resp = conn.getresponse()
...
To avoid dealing with multiple inheritance, this class only inherits from
HTTPProxyConnection.
"""
default_port = HTTPSConnection.default_port
def __init__(self, proxy, host, port=None, username=None, password=None, **x509):
for key in x509.keys():
if key not in ["cert_file", "key_file", "ssl_context"]:
raise ValueError()
self.key_file = x509.get("key_file")
self.cert_file = x509.get("cert_file")
# ISS Added
self.ssl_ctx = x509.get("ssl_context")
# Piggybacking on HTTPProxyConnection
HTTPProxyConnection.__init__(self, proxy, host, port, username, password)
def connect(self):
"""Connect (using SSL) to the host and port specified in __init__
(through a proxy)."""
import socket
# Set the connection with the proxy
HTTPProxyConnection.connect(self)
# Use the stock HTTPConnection putrequest
host = "%s:%s" % (self._host, self._port)
HTTPConnection.putrequest(self, "CONNECT", host)
# Add proxy-specific stuff
self._add_auth_proxy_header()
# And send the request
HTTPConnection.endheaders(self)
# Save the response class
response_class = self.response_class
# And replace the response class with our own one, which does not
# close the connection
self.response_class = HTTPSProxyResponse
response = HTTPConnection.getresponse(self)
# Restore the response class
self.response_class = response_class
# Close the response object manually
response.close()
if response.status != 200:
# Close the connection manually
self.close()
# XXX Find the appropriate error code
raise socket.error(1001, response.status, response.value)
# NgPS: I haven't read the code recently, but I think it is
# reasonable to assume that self.sock is a connected TCP socket at
# this point.
# Use the real stuff. ;-)
if self.ssl_ctx and isinstance(self.ssl_ctx, SSL.Context):
self.sock = SSL.Connection(self.ssl_ctx)
self.sock.connect((self.host, self.port))
else:
# Fake the socket
ssl = socket.ssl(self.sock, self.key_file, self.cert_file)
self.sock = FakeSocket(self.sock, ssl)
if self.debuglevel > 0:
print("socket type:", self.sock)
def putrequest(self, method, url):
"""Send a request to the server.
`method' specifies an HTTP request method, e.g. 'GET'.
`url' specifies the object being requested, e.g. '/index.html'.
"""
# bypass the parent class's putrequest: use the grandparent's one :-)
return HTTPConnection.putrequest(self, method, url)
|