/usr/lib/python2.7/dist-packages/Halberd/clientlib.py is in python-halberd 0.2.4-2.
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 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 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 | # -*- coding: iso-8859-1 -*-
"""HTTP/HTTPS client module.
@var default_timeout: Default timeout for socket operations.
@type default_timeout: C{float}
@var default_bufsize: Default number of bytes to try to read from the network.
@type default_bufsize: C{int}
@var default_template: Request template, must be filled by L{HTTPClient}
@type default_template: C{str}
"""
# Copyright (C) 2004, 2005, 2006, 2010 Juan M. Bello Rivas <jmbr@superadditive.com>
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
import time
import socket
import urlparse
from itertools import takewhile
import Halberd.ScanTask
default_timeout = 2
default_bufsize = 1024
# WARNING - Changing the HTTP request method in the following template will
# require updating tests/test_clientlib.py accordingly.
default_template = """\
GET %(request)s HTTP/1.1\r\n\
Host: %(hostname)s%(port)s\r\n\
Pragma: no-cache\r\n\
Cache-control: no-cache\r\n\
User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.7.7) Gecko/20050414 Firefox/1.0.3\r\n\
Accept: image/gif, image/x-xbitmap, image/jpeg, image/pjpeg,\
application/x-shockwave-flash, */*\r\n\
Accept-Language: en-us,en;q=0.5\r\n\
Accept-Encoding: gzip,deflate\r\n\
Accept-Charset: ISO-8859-1,utf-8;q=0.7,*;q=0.7\r\n\
Keep-Alive: 300\r\n\
Connection: keep-alive\r\n\r\n\
"""
class HTTPError(Exception):
"""Generic HTTP exception"""
def __init__(self, msg):
self.msg = msg
def __str__(self):
return str(self.msg)
def __deepcopy__(self, memo):
return self
class HTTPSError(HTTPError):
"""Generic HTTPS exception"""
class InvalidURL(HTTPError):
"""Invalid or unsupported URL"""
class TimedOut(HTTPError):
"""Operation timed out"""
class ConnectionRefused(HTTPError):
"""Unable to reach webserver"""
class UnknownReply(HTTPError):
"""The remote host didn't return an HTTP reply"""
class HTTPClient:
"""Special-purpose HTTP client.
@ivar timeout: Timeout for socket operations (expressed in seconds).
B{WARNING}: changing this value is strongly discouraged.
@type timeout: C{float}
@ivar bufsize: Buffer size for network I/O.
@type bufsize: C{int}
@ivar template: Template of the HTTP request to be sent to the target.
@type template: C{str}
@ivar _recv: Reference to a callable responsible from reading data from the
network.
@type _recv: C{callable}
"""
timeout = default_timeout
bufsize = default_bufsize
template = default_template
def __init__(self):
"""Initializes the object.
"""
self.schemes = ['http']
self.default_port = 80
# _timeout_exceptions MUST be converted to a tuple before using it with
# except.
self._timeout_exceptions = [socket.timeout]
self._sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
self._sock.settimeout(self.timeout)
self._recv = self._sock.recv
def getHeaders(self, address, urlstr):
"""Talk to the target webserver and fetch MIME headers.
@param address: The target's network address.
@type address: C{tuple}
@param urlstr: URL to use.
@type urlstr: C{str}
@return: The time when the client started reading the server's response
and the MIME headers that were sent.
@rtype: C{tuple}
"""
self._putRequest(address, urlstr)
timestamp, headers = self._getReply()
if not headers:
return None
# Remove HTTP response and leave only the MIME headers.
headers = headers.splitlines()[1:]
headers = list(takewhile(lambda x: x != '', headers))
headers.append('\r\n')
headers = '\r\n'.join(headers)
return timestamp, headers
def _putRequest(self, address, urlstr):
"""Sends an HTTP request to the target webserver.
This method connects to the target server, sends the HTTP request and
records a timestamp.
@param address: Target address.
@type address: C{str}
@param urlstr: A valid Unified Resource Locator.
@type urlstr: C{str}
@raise InvalidURL: In case the URL scheme is not HTTP or HTTPS
@raise ConnectionRefused: If it can't reach the target webserver.
@raise TimedOut: If we cannot send the data within the specified time.
"""
scheme, netloc, url, params, query, fragment = urlparse.urlparse(urlstr)
if scheme not in self.schemes:
raise InvalidURL, '%s is not a supported protocol' % scheme
hostname, port = self._getHostAndPort(netloc)
# NOTE: address and hostname may not be the same. The caller is
# responsible for checking that.
req = self._fillTemplate(hostname, port, url, params, query, fragment)
self._connect((address, port))
self._sendAll(req)
def _getHostAndPort(self, netloc):
"""Determine the hostname and port to connect to from an URL
@param netloc: Relevant part of the parsed URL.
@type netloc: C{str}
@return: Hostname (C{str}) and port (C{int})
@rtype: C{tuple}
"""
try:
hostname, portnum = netloc.split(':', 1)
except ValueError:
hostname, port = netloc, self.default_port
else:
if portnum.isdigit():
port = int(portnum)
else:
raise InvalidURL, '%s is not a valid port number' % portnum
return hostname, port
def _fillTemplate(self, hostname, port, url, params='', query='', fragment=''):
"""Fills the request template with relevant information.
@param hostname: Target host to reach.
@type hostname: C{str}
@param port: Remote port.
@type port: C{int}
@param url: URL to use as source.
@type url: C{str}
@return: A request ready to be sent
@rtype: C{str}
"""
urlstr = url or '/'
if params:
urlstr += ';' + params
if query:
urlstr += '?' + query
if fragment:
urlstr += '#' + fragment
if port == self.default_port:
p = ''
else:
p = ':' + str(port)
values = {'request': urlstr, 'hostname': hostname, 'port': p}
return self.template % values
def _connect(self, addr):
"""Connect to the target address.
@param addr: The target's address.
@type addr: C{tuple}
@raise ConnectionRefused: If it can't reach the target webserver.
"""
try:
self._sock.connect(addr)
except socket.error:
raise ConnectionRefused, 'Connection refused'
def _sendAll(self, data):
"""Sends a string to the socket.
"""
try:
self._sock.sendall(data)
except socket.timeout:
raise TimedOut, 'timed out while writing to the network'
def _getReply(self):
"""Read a reply from the server.
@return: Time when the data started arriving plus the received data.
@rtype: C{tuple}
@raise UnknownReply: If the remote server doesn't return a valid HTTP
reply.
@raise TimedOut: In case reading from the network takes too much time.
"""
data = ''
timestamp = None
stoptime = time.time() + self.timeout
while time.time() < stoptime:
try:
chunk = self._recv(self.bufsize)
except tuple(self._timeout_exceptions), msg:
raise TimedOut, msg
if not chunk:
# The remote end closed the connection.
break
if not timestamp:
timestamp = time.time()
data += chunk
idx = data.find('\r\n\r\n')
if idx != -1:
data = data[:idx]
break
if not data.startswith('HTTP/'):
raise UnknownReply, 'Invalid protocol'
return timestamp, data
def __del__(self):
if self._sock:
self._sock.close()
class HTTPSClient(HTTPClient):
"""Special-purpose HTTPS client.
"""
def __init__(self):
HTTPClient.__init__(self)
self.schemes.append('https')
self.default_port = 443
self._recv = None
self._sslsock = None
self._timeout_exceptions.append(socket.sslerror)
# Path to an SSL key file and certificate.
self.keyfile = None
self.certfile = None
def _connect(self, addr):
"""Connect to the target web server.
@param addr: The target's address.
@type addr: C{tuple}
@raise HTTPSError: In case there's some mistake during the SSL
negotiation.
"""
HTTPClient._connect(self, addr)
try:
self._sslsock = socket.ssl(self._sock, self.keyfile, self.certfile)
except socket.sslerror, msg:
raise HTTPSError, msg
self._recv = self._sslsock.read
def _sendAll(self, data):
"""Sends a string to the socket.
"""
# xxx - currently we don't make sure everything is sent.
self._sslsock.write(data)
def clientFactory(scantask):
"""HTTP/HTTPS client factory.
@param scantask: Object describing where the target is and how to reach it.
@type scantask: C{instanceof(ScanTask)}
@return: The appropriate client class for the specified URL.
@rtype: C{class}
"""
url = scantask.url
keyfile = scantask.keyfile
certfile = scantask.certfile
if url.startswith('http://'):
return HTTPClient()
elif url.startswith('https://'):
httpsclient = HTTPSClient()
httpsclient.keyfile = keyfile
httpsclient.certfile = certfile
return httpsclient
else:
raise InvalidURL
# vim: ts=4 sw=4 et
|