2012-06-20 20:41:04 +00:00
|
|
|
# -*- coding: iso-8859-1 -*-
|
|
|
|
# Copyright (C) 2004-2005 Tristan Seligmann and Jonathan Jacobs
|
2014-01-05 15:50:57 +00:00
|
|
|
# Copyright (C) 2012-2014 Bastian Kleineidam
|
2012-11-20 17:53:53 +00:00
|
|
|
from __future__ import division, print_function
|
2013-04-03 18:32:43 +00:00
|
|
|
try:
|
|
|
|
from urllib.parse import quote as url_quote, unquote as url_unquote
|
|
|
|
except ImportError:
|
|
|
|
from urllib import quote as url_quote, unquote as url_unquote
|
|
|
|
try:
|
2014-07-23 18:53:59 +00:00
|
|
|
from urllib.parse import urlparse, urlunparse, urlsplit
|
2013-04-03 18:32:43 +00:00
|
|
|
except ImportError:
|
2014-07-23 18:53:59 +00:00
|
|
|
from urlparse import urlparse, urlunparse, urlsplit
|
2013-04-03 18:32:43 +00:00
|
|
|
try:
|
|
|
|
from urllib import robotparser
|
|
|
|
except ImportError:
|
|
|
|
import robotparser
|
2012-11-26 17:44:31 +00:00
|
|
|
import requests
|
2012-06-20 19:58:13 +00:00
|
|
|
import sys
|
|
|
|
import os
|
|
|
|
import cgi
|
|
|
|
import re
|
2013-12-05 17:29:15 +00:00
|
|
|
import codecs
|
2012-06-20 19:58:13 +00:00
|
|
|
import traceback
|
|
|
|
import time
|
2013-04-08 19:20:01 +00:00
|
|
|
import subprocess
|
2013-04-03 18:32:43 +00:00
|
|
|
try:
|
2013-04-05 16:53:19 +00:00
|
|
|
from HTMLParser import HTMLParser
|
2013-04-03 18:32:43 +00:00
|
|
|
except ImportError:
|
2013-04-05 16:53:19 +00:00
|
|
|
from html.parser import HTMLParser
|
2012-12-12 16:41:29 +00:00
|
|
|
from .decorators import memoized
|
2012-06-20 19:58:13 +00:00
|
|
|
from .output import out
|
|
|
|
from .configuration import UserAgent, AppName, App, SupportUrl
|
|
|
|
|
2012-12-05 20:52:52 +00:00
|
|
|
# Maximum content size for HTML pages
|
|
|
|
MaxContentBytes = 1024 * 1024 * 2 # 2 MB
|
|
|
|
|
|
|
|
# Maximum content size for images
|
|
|
|
MaxImageBytes = 1024 * 1024 * 20 # 20 MB
|
|
|
|
|
2012-12-19 19:43:18 +00:00
|
|
|
# Default number of retries
|
|
|
|
MaxRetries = 3
|
|
|
|
|
2013-02-13 16:54:10 +00:00
|
|
|
# Time to pause between retries
|
|
|
|
RetryPauseSeconds = 5
|
|
|
|
|
2012-12-07 23:45:18 +00:00
|
|
|
# Default connection timeout
|
|
|
|
ConnectionTimeoutSecs = 60
|
2012-06-20 19:58:13 +00:00
|
|
|
|
2013-01-23 20:16:22 +00:00
|
|
|
# The character set to encode non-ASCII characters in a URL. See also
|
|
|
|
# http://tools.ietf.org/html/rfc2396#section-2.1
|
|
|
|
# Note that the encoding is not really specified, but most browsers
|
|
|
|
# encode in UTF-8 when no encoding is specified by the HTTP headers,
|
|
|
|
# else they use the page encoding for followed link. See als
|
|
|
|
# http://code.google.com/p/browsersec/wiki/Part1#Unicode_in_URLs
|
|
|
|
UrlEncoding = "utf-8"
|
|
|
|
|
|
|
|
|
2012-12-19 19:43:18 +00:00
|
|
|
if hasattr(requests, 'adapters'):
|
|
|
|
# requests >= 1.0
|
|
|
|
requests.adapters.DEFAULT_RETRIES = MaxRetries
|
|
|
|
|
2013-01-23 20:16:22 +00:00
|
|
|
|
2013-04-08 19:20:01 +00:00
|
|
|
def get_system_uid():
|
|
|
|
"""Get a (probably) unique ID to identify a system.
|
|
|
|
Used to differentiate votes.
|
|
|
|
"""
|
|
|
|
try:
|
|
|
|
if os.name == 'nt':
|
|
|
|
return get_nt_system_uid()
|
|
|
|
if sys.platform == 'darwin':
|
|
|
|
return get_osx_system_uid()
|
|
|
|
except Exception:
|
|
|
|
return get_mac_uid()
|
|
|
|
else:
|
|
|
|
return get_mac_uid()
|
|
|
|
|
|
|
|
|
|
|
|
def get_nt_system_uid():
|
|
|
|
"""Get the MachineGuid from
|
|
|
|
HKEY_LOCAL_MACHINE\Software\Microsoft\Cryptography\MachineGuid
|
|
|
|
"""
|
|
|
|
try:
|
|
|
|
import _winreg as winreg
|
|
|
|
except ImportError:
|
|
|
|
import winreg
|
|
|
|
lm = winreg.ConnectRegistry(None, winreg.HKEY_LOCAL_MACHINE)
|
|
|
|
try:
|
|
|
|
key = winreg.OpenKey(lm, r"Software\Microsoft\Cryptography")
|
|
|
|
try:
|
|
|
|
return winreg.QueryValueEx(key, "MachineGuid")[0]
|
|
|
|
finally:
|
|
|
|
key.Close()
|
|
|
|
finally:
|
|
|
|
lm.Close()
|
|
|
|
|
|
|
|
|
|
|
|
def get_osx_system_uid():
|
|
|
|
"""Get the OSX system ID.
|
|
|
|
$ system_profiler |grep "r (system)"
|
2013-04-09 17:33:50 +00:00
|
|
|
Serial Number (system): C24E1322XYZ
|
2013-04-08 19:20:01 +00:00
|
|
|
"""
|
|
|
|
res = backtick(["system_profile"]).splitlines()
|
|
|
|
for line in res:
|
|
|
|
if "r (system)" in line:
|
|
|
|
return line.split(':', 1)[1].strip()
|
|
|
|
raise ValueError("Could not find system number in %r" % res)
|
|
|
|
|
|
|
|
|
|
|
|
def get_mac_uid():
|
|
|
|
"""Get the MAC address of the system."""
|
|
|
|
import uuid
|
2013-04-09 17:33:50 +00:00
|
|
|
return "%d" % uuid.getnode()
|
2013-04-08 19:20:01 +00:00
|
|
|
|
|
|
|
|
|
|
|
def backtick (cmd, encoding='utf-8'):
|
|
|
|
"""Return decoded output from command."""
|
|
|
|
data = subprocess.Popen(cmd, stdout=subprocess.PIPE).communicate()[0]
|
|
|
|
return data.decode(encoding)
|
2013-04-13 06:00:11 +00:00
|
|
|
|
|
|
|
|
2013-04-05 16:57:44 +00:00
|
|
|
def unicode_safe(text, encoding=UrlEncoding, errors='ignore'):
|
|
|
|
"""Decode text to Unicode if not already done."""
|
|
|
|
try:
|
|
|
|
text_type = unicode
|
|
|
|
except NameError:
|
|
|
|
text_type = str
|
|
|
|
if isinstance(text, text_type):
|
|
|
|
return text
|
|
|
|
return text.decode(encoding, errors)
|
|
|
|
|
|
|
|
|
2012-10-12 19:11:44 +00:00
|
|
|
def tagre(tag, attribute, value, quote='"', before="", after=""):
|
2012-10-11 10:03:12 +00:00
|
|
|
"""Return a regular expression matching the given HTML tag, attribute
|
|
|
|
and value. It matches the tag and attribute names case insensitive,
|
|
|
|
and skips arbitrary whitespace and leading HTML attributes. The "<>" at
|
|
|
|
the start and end of the HTML tag is also matched.
|
|
|
|
@param tag: the tag name
|
|
|
|
@ptype tag: string
|
|
|
|
@param attribute: the attribute name
|
|
|
|
@ptype attribute: string
|
|
|
|
@param value: the attribute value
|
|
|
|
@ptype value: string
|
2012-10-11 13:43:29 +00:00
|
|
|
@param quote: the attribute quote (default ")
|
|
|
|
@ptype quote: string
|
2012-10-12 19:11:44 +00:00
|
|
|
@param after: match after attribute value but before end
|
|
|
|
@ptype after: string
|
|
|
|
|
2012-10-11 10:03:12 +00:00
|
|
|
@return: the generated regular expression suitable for re.compile()
|
|
|
|
@rtype: string
|
|
|
|
"""
|
2012-11-28 17:15:12 +00:00
|
|
|
if before:
|
|
|
|
prefix = r"[^>]*%s[^>]*\s+" % before
|
|
|
|
else:
|
|
|
|
prefix = r"(?:[^>]*\s+)?"
|
2012-10-11 10:03:12 +00:00
|
|
|
attrs = dict(
|
|
|
|
tag=case_insensitive_re(tag),
|
|
|
|
attribute=case_insensitive_re(attribute),
|
|
|
|
value=value,
|
2012-10-11 13:43:29 +00:00
|
|
|
quote=quote,
|
2012-11-28 17:15:12 +00:00
|
|
|
prefix=prefix,
|
2012-10-12 19:11:44 +00:00
|
|
|
after=after,
|
2012-10-11 10:03:12 +00:00
|
|
|
)
|
2012-11-28 17:15:12 +00:00
|
|
|
return r'<\s*%(tag)s\s+%(prefix)s%(attribute)s\s*=\s*%(quote)s%(value)s%(quote)s[^>]*%(after)s[^>]*>' % attrs
|
2012-06-20 19:58:13 +00:00
|
|
|
|
|
|
|
|
2012-10-11 10:03:12 +00:00
|
|
|
def case_insensitive_re(name):
|
|
|
|
"""Reformat the given name to a case insensitive regular expression string
|
|
|
|
without using re.IGNORECASE. This way selective strings can be made case
|
|
|
|
insensitive.
|
|
|
|
@param name: the name to make case insensitive
|
|
|
|
@ptype name: string
|
2013-01-23 20:16:22 +00:00
|
|
|
@return: the case insensitive regex
|
2012-10-11 10:03:12 +00:00
|
|
|
@rtype: string
|
|
|
|
"""
|
|
|
|
return "".join("[%s%s]" % (c.lower(), c.upper()) for c in name)
|
2012-06-20 19:58:13 +00:00
|
|
|
|
|
|
|
|
2013-02-13 16:54:10 +00:00
|
|
|
def isValidPageContent(data):
|
|
|
|
"""Check if page content is empty or has error messages."""
|
|
|
|
# The python requests library sometimes returns empty data.
|
|
|
|
# Some webservers have a 200 OK status but have an error message as response.
|
|
|
|
return data and not data.startswith("Internal Server Error")
|
|
|
|
|
|
|
|
|
2013-02-12 16:55:13 +00:00
|
|
|
def getPageContent(url, session, max_content_bytes=MaxContentBytes):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Get text content of given URL."""
|
2013-02-12 16:55:13 +00:00
|
|
|
check_robotstxt(url, session)
|
2012-10-11 10:03:12 +00:00
|
|
|
# read page data
|
2013-03-25 18:49:09 +00:00
|
|
|
try:
|
2013-04-11 16:27:43 +00:00
|
|
|
page = urlopen(url, session, max_content_bytes=max_content_bytes)
|
2013-03-25 18:49:09 +00:00
|
|
|
except IOError:
|
2013-04-11 16:27:43 +00:00
|
|
|
page = urlopen(url, session, max_content_bytes=max_content_bytes)
|
2012-11-26 17:44:31 +00:00
|
|
|
data = page.text
|
2013-02-13 16:54:10 +00:00
|
|
|
tries = MaxRetries
|
|
|
|
while not isValidPageContent(data) and tries > 0:
|
|
|
|
time.sleep(RetryPauseSeconds)
|
2013-04-11 16:27:43 +00:00
|
|
|
page = urlopen(url, session, max_content_bytes=max_content_bytes)
|
2013-02-11 18:52:59 +00:00
|
|
|
data = page.text
|
2013-02-13 16:54:10 +00:00
|
|
|
tries -= 1
|
|
|
|
if not isValidPageContent(data):
|
|
|
|
raise ValueError("Got invalid page content from %s: %r" % (url, data))
|
2013-04-30 04:40:20 +00:00
|
|
|
out.debug(u"Got page content %r" % data, level=3)
|
2014-10-13 17:39:48 +00:00
|
|
|
return data
|
2012-06-20 19:58:13 +00:00
|
|
|
|
|
|
|
|
2013-02-12 16:55:13 +00:00
|
|
|
def getImageObject(url, referrer, session, max_content_bytes=MaxImageBytes):
|
2012-12-05 20:52:52 +00:00
|
|
|
"""Get response object for given image URL."""
|
2013-04-11 16:27:43 +00:00
|
|
|
return urlopen(url, session, referrer=referrer, max_content_bytes=max_content_bytes, stream=True)
|
2012-12-05 20:52:52 +00:00
|
|
|
|
|
|
|
|
2013-04-05 16:55:19 +00:00
|
|
|
def makeSequence(item):
|
|
|
|
"""If item is already a list or tuple, return it.
|
|
|
|
Else return a tuple with item as single element."""
|
2013-04-03 18:32:19 +00:00
|
|
|
if isinstance(item, (list, tuple)):
|
|
|
|
return item
|
2013-04-05 16:55:19 +00:00
|
|
|
return (item,)
|
2013-04-03 18:32:19 +00:00
|
|
|
|
|
|
|
|
2014-10-13 20:29:47 +00:00
|
|
|
def prettyMatcherList(things):
|
|
|
|
"""Try to construct a nicely-formatted string for a list of matcher
|
|
|
|
objects. Those may be compiled regular expressions or strings..."""
|
|
|
|
norm = []
|
|
|
|
for x in makeSequence(things):
|
|
|
|
if hasattr(x, 'pattern'):
|
|
|
|
norm.append(x.pattern)
|
|
|
|
else:
|
|
|
|
norm.append(x)
|
|
|
|
return "('%s')" % "', '".join(norm)
|
2013-11-29 19:26:49 +00:00
|
|
|
|
|
|
|
|
2013-04-05 16:53:19 +00:00
|
|
|
_htmlparser = HTMLParser()
|
2012-11-28 17:15:12 +00:00
|
|
|
def unescape(text):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Replace HTML entities and character references."""
|
2013-04-05 16:53:19 +00:00
|
|
|
return _htmlparser.unescape(text)
|
2012-11-21 20:57:26 +00:00
|
|
|
|
2012-06-20 19:58:13 +00:00
|
|
|
|
2013-02-12 16:55:33 +00:00
|
|
|
_nopathquote_chars = "-;/=,~*+()@!"
|
|
|
|
|
2012-06-20 19:58:13 +00:00
|
|
|
def normaliseURL(url):
|
2014-06-08 08:12:33 +00:00
|
|
|
"""Normalising
|
|
|
|
- strips and leading or trailing whitespace,
|
|
|
|
- replaces HTML entities and character references,
|
|
|
|
- removes any leading empty segments to avoid breaking urllib2.
|
2012-06-20 19:58:13 +00:00
|
|
|
"""
|
2014-06-08 08:12:33 +00:00
|
|
|
url = unicode_safe(url).strip()
|
2012-06-20 19:58:13 +00:00
|
|
|
# XXX: brutal hack
|
2012-11-28 17:15:12 +00:00
|
|
|
url = unescape(url)
|
2012-06-20 19:58:13 +00:00
|
|
|
|
2013-04-03 18:32:43 +00:00
|
|
|
pu = list(urlparse(url))
|
2012-11-21 20:57:26 +00:00
|
|
|
segments = pu[2].split('/')
|
2012-12-04 06:02:40 +00:00
|
|
|
while segments and segments[0] in ('', '..'):
|
2012-06-20 19:58:13 +00:00
|
|
|
del segments[0]
|
2013-02-23 08:08:08 +00:00
|
|
|
pu[2] = '/' + '/'.join(segments)
|
2012-11-14 19:23:30 +00:00
|
|
|
# remove leading '&' from query
|
2012-11-21 20:57:26 +00:00
|
|
|
if pu[4].startswith('&'):
|
|
|
|
pu[4] = pu[4][1:]
|
|
|
|
# remove anchor
|
|
|
|
pu[5] = ""
|
2013-04-03 18:32:43 +00:00
|
|
|
return urlunparse(pu)
|
2012-06-20 19:58:13 +00:00
|
|
|
|
2012-11-21 20:57:26 +00:00
|
|
|
|
2012-12-12 16:41:29 +00:00
|
|
|
def get_roboturl(url):
|
|
|
|
"""Get robots.txt URL from given URL."""
|
2013-04-03 18:32:43 +00:00
|
|
|
pu = urlparse(url)
|
|
|
|
return urlunparse((pu[0], pu[1], "/robots.txt", "", "", ""))
|
2012-12-12 16:41:29 +00:00
|
|
|
|
|
|
|
|
2013-02-12 16:55:13 +00:00
|
|
|
def check_robotstxt(url, session):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Check if robots.txt allows our user agent for the given URL.
|
|
|
|
@raises: IOError if URL is not allowed
|
|
|
|
"""
|
|
|
|
roboturl = get_roboturl(url)
|
2013-02-13 16:52:07 +00:00
|
|
|
rp = get_robotstxt_parser(roboturl, session=session)
|
2013-04-09 17:36:00 +00:00
|
|
|
if not rp.can_fetch(UserAgent, str(url)):
|
2014-07-03 15:12:25 +00:00
|
|
|
raise IOError("%s is disallowed by %s" % (url, roboturl))
|
2012-12-12 16:41:29 +00:00
|
|
|
|
|
|
|
|
|
|
|
@memoized
|
2013-02-13 16:52:07 +00:00
|
|
|
def get_robotstxt_parser(url, session=None):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Get a RobotFileParser for the given robots.txt URL."""
|
|
|
|
rp = robotparser.RobotFileParser()
|
2013-02-21 18:48:04 +00:00
|
|
|
try:
|
|
|
|
req = urlopen(url, session, max_content_bytes=MaxContentBytes, raise_for_status=False)
|
|
|
|
except Exception:
|
|
|
|
# connect or timeout errors are treated as an absent robotst.txt
|
2012-12-12 16:41:29 +00:00
|
|
|
rp.allow_all = True
|
2013-02-21 18:48:04 +00:00
|
|
|
else:
|
|
|
|
if req.status_code in (401, 403):
|
|
|
|
rp.disallow_all = True
|
|
|
|
elif req.status_code >= 400:
|
|
|
|
rp.allow_all = True
|
|
|
|
elif req.status_code == 200:
|
2013-04-07 16:11:29 +00:00
|
|
|
rp.parse(req.text.splitlines())
|
2012-12-12 16:41:29 +00:00
|
|
|
return rp
|
|
|
|
|
|
|
|
|
2013-02-12 16:55:13 +00:00
|
|
|
def urlopen(url, session, referrer=None, max_content_bytes=None,
|
2013-02-18 19:38:59 +00:00
|
|
|
timeout=ConnectionTimeoutSecs, raise_for_status=True,
|
2014-07-03 15:12:25 +00:00
|
|
|
stream=False, data=None, useragent=UserAgent):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Open an URL and return the response object."""
|
2013-04-30 04:40:20 +00:00
|
|
|
out.debug(u'Open URL %s' % url)
|
2014-07-03 15:12:25 +00:00
|
|
|
headers = {'User-Agent': useragent}
|
2012-06-20 19:58:13 +00:00
|
|
|
if referrer:
|
2012-11-26 17:44:31 +00:00
|
|
|
headers['Referer'] = referrer
|
2013-04-30 04:40:20 +00:00
|
|
|
out.debug(u'Sending headers %s' % headers, level=3)
|
|
|
|
out.debug(u'Sending cookies %s' % session.cookies)
|
2012-12-19 19:43:18 +00:00
|
|
|
kwargs = {
|
|
|
|
"headers": headers,
|
|
|
|
"timeout": timeout,
|
|
|
|
}
|
2013-02-11 18:45:21 +00:00
|
|
|
if hasattr(requests, 'adapters'):
|
|
|
|
# requests >= 1.0
|
2013-02-18 19:38:59 +00:00
|
|
|
kwargs["stream"] = stream
|
2013-02-11 18:45:21 +00:00
|
|
|
else:
|
2012-12-19 19:43:18 +00:00
|
|
|
# requests << 1.0
|
2013-02-18 19:38:59 +00:00
|
|
|
kwargs["prefetch"] = not stream
|
2012-12-19 19:43:18 +00:00
|
|
|
kwargs["config"] = {"max_retries": MaxRetries}
|
2013-04-05 04:36:05 +00:00
|
|
|
if data is None:
|
|
|
|
func = session.get
|
|
|
|
else:
|
2013-04-04 16:30:02 +00:00
|
|
|
kwargs['data'] = data
|
|
|
|
func = session.post
|
2013-04-30 04:40:20 +00:00
|
|
|
out.debug(u'Sending POST data %s' % data, level=3)
|
2012-11-26 17:44:31 +00:00
|
|
|
try:
|
2013-04-04 16:30:02 +00:00
|
|
|
req = func(url, **kwargs)
|
2013-04-30 04:40:20 +00:00
|
|
|
out.debug(u'Response cookies: %s' % req.cookies)
|
2012-12-05 20:52:52 +00:00
|
|
|
check_content_size(url, req.headers, max_content_bytes)
|
2012-12-12 16:41:29 +00:00
|
|
|
if raise_for_status:
|
|
|
|
req.raise_for_status()
|
2012-11-26 17:44:31 +00:00
|
|
|
return req
|
|
|
|
except requests.exceptions.RequestException as err:
|
|
|
|
msg = 'URL retrieval of %s failed: %s' % (url, err)
|
|
|
|
raise IOError(msg)
|
2012-06-20 19:58:13 +00:00
|
|
|
|
2012-12-12 16:41:29 +00:00
|
|
|
|
2012-12-05 20:52:52 +00:00
|
|
|
def check_content_size(url, headers, max_content_bytes):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Check that content length in URL response headers do not exceed the
|
|
|
|
given maximum bytes.
|
|
|
|
"""
|
2012-12-05 20:52:52 +00:00
|
|
|
if not max_content_bytes:
|
|
|
|
return
|
|
|
|
if 'content-length' in headers:
|
|
|
|
size = int(headers['content-length'])
|
|
|
|
if size > max_content_bytes:
|
2012-12-12 16:41:29 +00:00
|
|
|
msg = 'URL content of %s with %d bytes exceeds %d bytes.' % (url, size, max_content_bytes)
|
2012-12-05 20:52:52 +00:00
|
|
|
raise IOError(msg)
|
|
|
|
|
2012-06-20 20:33:26 +00:00
|
|
|
|
2012-06-20 19:58:13 +00:00
|
|
|
def splitpath(path):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Split a path in its components."""
|
2012-06-20 19:58:13 +00:00
|
|
|
c = []
|
|
|
|
head, tail = os.path.split(path)
|
|
|
|
while tail:
|
|
|
|
c.insert(0, tail)
|
|
|
|
head, tail = os.path.split(head)
|
|
|
|
return c
|
|
|
|
|
2012-11-21 20:57:26 +00:00
|
|
|
|
2012-06-20 19:58:13 +00:00
|
|
|
def getRelativePath(basepath, path):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Get a path that is relative to the given base path."""
|
2012-06-20 19:58:13 +00:00
|
|
|
basepath = splitpath(os.path.abspath(basepath))
|
|
|
|
path = splitpath(os.path.abspath(path))
|
|
|
|
afterCommon = False
|
|
|
|
for c in basepath:
|
|
|
|
if afterCommon or path[0] != c:
|
|
|
|
path.insert(0, os.path.pardir)
|
|
|
|
afterCommon = True
|
|
|
|
else:
|
|
|
|
del path[0]
|
|
|
|
return os.path.join(*path)
|
|
|
|
|
2012-11-21 20:57:26 +00:00
|
|
|
|
2012-06-20 19:58:13 +00:00
|
|
|
def getQueryParams(url):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Get URL query parameters."""
|
2013-04-03 18:32:43 +00:00
|
|
|
query = urlsplit(url)[3]
|
2013-04-30 04:40:20 +00:00
|
|
|
out.debug(u'Extracting query parameters from %r (%r)...' % (url, query))
|
2012-06-20 19:58:13 +00:00
|
|
|
return cgi.parse_qs(query)
|
|
|
|
|
|
|
|
|
|
|
|
def internal_error(out=sys.stderr, etype=None, evalue=None, tb=None):
|
|
|
|
"""Print internal error message (output defaults to stderr)."""
|
2012-11-20 17:53:53 +00:00
|
|
|
print(os.linesep, file=out)
|
|
|
|
print("""********** Oops, I did it again. *************
|
2012-06-20 19:58:13 +00:00
|
|
|
|
|
|
|
You have found an internal error in %(app)s. Please write a bug report
|
2012-11-26 17:44:31 +00:00
|
|
|
at %(url)s and include at least the information below:
|
2012-06-20 19:58:13 +00:00
|
|
|
|
2012-11-26 17:44:31 +00:00
|
|
|
Not disclosing some of the information below due to privacy reasons is ok.
|
2012-06-20 19:58:13 +00:00
|
|
|
I will try to help you nonetheless, but you have to give me something
|
|
|
|
I can work with ;) .
|
2012-11-20 17:53:53 +00:00
|
|
|
""" % dict(app=AppName, url=SupportUrl), file=out)
|
2012-06-20 19:58:13 +00:00
|
|
|
if etype is None:
|
|
|
|
etype = sys.exc_info()[0]
|
|
|
|
if evalue is None:
|
|
|
|
evalue = sys.exc_info()[1]
|
2012-11-21 20:57:26 +00:00
|
|
|
print(etype, evalue, file=out)
|
2012-06-20 19:58:13 +00:00
|
|
|
if tb is None:
|
|
|
|
tb = sys.exc_info()[2]
|
|
|
|
traceback.print_exception(etype, evalue, tb, None, out)
|
|
|
|
print_app_info(out=out)
|
|
|
|
print_proxy_info(out=out)
|
|
|
|
print_locale_info(out=out)
|
2012-11-20 17:53:53 +00:00
|
|
|
print(os.linesep,
|
|
|
|
"******** %s internal error, over and out ********" % AppName, file=out)
|
2012-06-20 19:58:13 +00:00
|
|
|
|
|
|
|
|
|
|
|
def print_env_info(key, out=sys.stderr):
|
|
|
|
"""If given environment key is defined, print it out."""
|
|
|
|
value = os.getenv(key)
|
|
|
|
if value is not None:
|
2012-11-20 17:53:53 +00:00
|
|
|
print(key, "=", repr(value), file=out)
|
2012-06-20 19:58:13 +00:00
|
|
|
|
|
|
|
|
|
|
|
def print_proxy_info(out=sys.stderr):
|
|
|
|
"""Print proxy info."""
|
|
|
|
print_env_info("http_proxy", out=out)
|
|
|
|
|
|
|
|
|
|
|
|
def print_locale_info(out=sys.stderr):
|
|
|
|
"""Print locale info."""
|
|
|
|
for key in ("LANGUAGE", "LC_ALL", "LC_CTYPE", "LANG"):
|
|
|
|
print_env_info(key, out=out)
|
|
|
|
|
|
|
|
|
|
|
|
def print_app_info(out=sys.stderr):
|
|
|
|
"""Print system and application info (output defaults to stderr)."""
|
2012-11-20 17:53:53 +00:00
|
|
|
print("System info:", file=out)
|
|
|
|
print(App, file=out)
|
|
|
|
print("Python %(version)s on %(platform)s" %
|
|
|
|
{"version": sys.version, "platform": sys.platform}, file=out)
|
2012-06-20 19:58:13 +00:00
|
|
|
stime = strtime(time.time())
|
2012-11-20 17:53:53 +00:00
|
|
|
print("Local time:", stime, file=out)
|
2012-11-26 17:44:31 +00:00
|
|
|
print("sys.argv", sys.argv, file=out)
|
2012-06-20 19:58:13 +00:00
|
|
|
|
|
|
|
|
|
|
|
def strtime(t):
|
|
|
|
"""Return ISO 8601 formatted time."""
|
|
|
|
return time.strftime("%Y-%m-%d %H:%M:%S", time.localtime(t)) + \
|
|
|
|
strtimezone()
|
|
|
|
|
|
|
|
|
|
|
|
def strtimezone():
|
|
|
|
"""Return timezone info, %z on some platforms, but not supported on all.
|
|
|
|
"""
|
|
|
|
if time.daylight:
|
|
|
|
zone = time.altzone
|
|
|
|
else:
|
|
|
|
zone = time.timezone
|
|
|
|
return "%+04d" % (-zone//3600)
|
2012-11-26 06:14:02 +00:00
|
|
|
|
|
|
|
|
2012-12-12 16:41:29 +00:00
|
|
|
def rfc822date(indate):
|
|
|
|
"""Format date in rfc822 format."""
|
|
|
|
return time.strftime("%a, %d %b %Y %H:%M:%S GMT", time.gmtime(indate))
|
|
|
|
|
|
|
|
|
2012-11-26 06:14:02 +00:00
|
|
|
def asciify(name):
|
|
|
|
"""Remove non-ascii characters from string."""
|
|
|
|
return re.sub("[^0-9a-zA-Z_]", "", name)
|
2012-11-28 17:15:12 +00:00
|
|
|
|
|
|
|
|
|
|
|
def unquote(text):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Replace all percent-encoded entities in text."""
|
2012-11-28 17:15:12 +00:00
|
|
|
while '%' in text:
|
2013-04-03 18:32:43 +00:00
|
|
|
newtext = url_unquote(text)
|
2012-12-07 23:45:18 +00:00
|
|
|
if newtext == text:
|
|
|
|
break
|
|
|
|
text = newtext
|
2012-11-28 17:15:12 +00:00
|
|
|
return text
|
2012-12-02 17:35:06 +00:00
|
|
|
|
|
|
|
|
2013-01-23 20:16:22 +00:00
|
|
|
def quote(text, safechars='/'):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Percent-encode given text."""
|
2013-04-03 18:32:43 +00:00
|
|
|
return url_quote(text, safechars)
|
2013-01-23 20:16:22 +00:00
|
|
|
|
2012-12-07 23:45:18 +00:00
|
|
|
|
2012-12-02 17:35:06 +00:00
|
|
|
def strsize (b):
|
|
|
|
"""Return human representation of bytes b. A negative number of bytes
|
|
|
|
raises a value error."""
|
|
|
|
if b < 0:
|
|
|
|
raise ValueError("Invalid negative byte number")
|
|
|
|
if b < 1024:
|
|
|
|
return "%dB" % b
|
|
|
|
if b < 1024 * 10:
|
|
|
|
return "%dKB" % (b // 1024)
|
|
|
|
if b < 1024 * 1024:
|
|
|
|
return "%.2fKB" % (float(b) / 1024)
|
|
|
|
if b < 1024 * 1024 * 10:
|
|
|
|
return "%.2fMB" % (float(b) / (1024*1024))
|
|
|
|
if b < 1024 * 1024 * 1024:
|
|
|
|
return "%.1fMB" % (float(b) / (1024*1024))
|
|
|
|
if b < 1024 * 1024 * 1024 * 10:
|
|
|
|
return "%.2fGB" % (float(b) / (1024*1024*1024))
|
|
|
|
return "%.1fGB" % (float(b) / (1024*1024*1024))
|
|
|
|
|
2012-12-12 16:41:29 +00:00
|
|
|
|
2012-12-07 23:45:18 +00:00
|
|
|
def getDirname(name):
|
|
|
|
"""Replace slashes with path separator of name."""
|
|
|
|
return name.replace('/', os.sep)
|
|
|
|
|
|
|
|
|
|
|
|
def getFilename(name):
|
2012-12-12 16:41:29 +00:00
|
|
|
"""Get a filename from given name without dangerous or incompatible characters."""
|
2012-12-07 23:45:18 +00:00
|
|
|
# first replace all illegal chars
|
|
|
|
name = re.sub(r"[^0-9a-zA-Z_\-\.]", "_", name)
|
|
|
|
# then remove double dots and underscores
|
|
|
|
while ".." in name:
|
|
|
|
name = name.replace('..', '.')
|
|
|
|
while "__" in name:
|
|
|
|
name = name.replace('__', '_')
|
|
|
|
# remove a leading dot or minus
|
|
|
|
if name.startswith((".", "-")):
|
|
|
|
name = name[1:]
|
|
|
|
return name
|
2012-12-12 16:41:29 +00:00
|
|
|
|
|
|
|
|
2014-09-22 20:00:16 +00:00
|
|
|
def getExistingFile(name, max_suffix=1000):
|
|
|
|
"""Add filename suffix until file exists
|
|
|
|
@return: filename if file is found
|
|
|
|
@raise: ValueError if maximum suffix number is reached while searching
|
|
|
|
"""
|
|
|
|
num = 1
|
|
|
|
stem, ext = os.path.splitext(name)
|
|
|
|
filename = name
|
|
|
|
while not os.path.exists(filename):
|
|
|
|
suffix = "-%d" % num
|
|
|
|
filename = stem + suffix + ext
|
|
|
|
num += 1
|
|
|
|
if num >= max_suffix:
|
|
|
|
raise ValueError("No file %r found" % name)
|
|
|
|
return filename
|
|
|
|
|
|
|
|
|
|
|
|
def getNonexistingFile(name):
|
|
|
|
"""Add filename suffix until file not exists
|
|
|
|
@return: filename
|
|
|
|
"""
|
|
|
|
num = 1
|
|
|
|
stem, ext = os.path.splitext(name)
|
|
|
|
filename = name
|
|
|
|
while os.path.exists(filename):
|
|
|
|
suffix = "-%d" % num
|
|
|
|
filename = stem + suffix + ext
|
|
|
|
num += 1
|
|
|
|
return filename
|
|
|
|
|
|
|
|
|
2012-12-12 16:41:29 +00:00
|
|
|
def strlimit (s, length=72):
|
|
|
|
"""If the length of the string exceeds the given limit, it will be cut
|
|
|
|
off and three dots will be appended.
|
|
|
|
|
|
|
|
@param s: the string to limit
|
|
|
|
@type s: string
|
|
|
|
@param length: maximum length
|
|
|
|
@type length: non-negative integer
|
|
|
|
@return: limited string, at most length+3 characters long
|
|
|
|
"""
|
|
|
|
assert length >= 0, "length limit must be a non-negative integer"
|
|
|
|
if not s or len(s) <= length:
|
|
|
|
return s
|
|
|
|
if length == 0:
|
|
|
|
return ""
|
|
|
|
return "%s..." % s[:length]
|
2013-03-08 21:33:05 +00:00
|
|
|
|
|
|
|
|
2013-12-05 17:29:15 +00:00
|
|
|
def writeFile(filename, content, encoding=None):
|
|
|
|
"""Write content to given filename. Checks for zero-sized files.
|
|
|
|
If encoding is given writes to a codec.open() file."""
|
|
|
|
if not content:
|
|
|
|
raise OSError("empty content for file %s" % filename)
|
|
|
|
|
|
|
|
def getfp(filename, encoding):
|
2013-12-08 10:46:26 +00:00
|
|
|
"""Get open file object."""
|
2013-12-05 17:29:15 +00:00
|
|
|
if encoding:
|
|
|
|
return codecs.open(filename, 'w', encoding)
|
|
|
|
return open(filename, 'wb')
|
|
|
|
|
|
|
|
try:
|
|
|
|
with getfp(filename, encoding) as fp:
|
|
|
|
fp.write(content)
|
|
|
|
fp.flush()
|
|
|
|
os.fsync(fp.fileno())
|
|
|
|
size = os.path.getsize(filename)
|
|
|
|
if size == 0:
|
|
|
|
raise OSError("empty file %s" % filename)
|
|
|
|
except Exception:
|
|
|
|
if os.path.isfile(filename):
|
|
|
|
os.remove(filename)
|
|
|
|
raise
|
|
|
|
else:
|
|
|
|
out.info(u"Saved %s (%s)." % (filename, strsize(size)))
|