/usr/share/pyshared/jsb/utils/url.py is in jsonbot 0.84.4-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 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 | # jsb/utils/url.py
#
# most code taken from maze
""" url related functions. """
## jsb imports
from lazydict import LazyDict
from generic import fromenc, toenc
from jsb.lib.errors import URLNotEnabled
## basic imports
import logging
import time
import sys
import re
import traceback
import Queue
import urllib
import urllib2
import urlparse
import socket
import random
import os
import sgmllib
import thread
import types
import httplib
import StringIO
import htmlentitydefs
import tempfile
import cgi
## defines
re_url_match = re.compile(u'((?:http|https)://\S+)')
try: import chardet
except ImportError: chardet = None
class istr(str):
pass
enabled = True
# url_disable function
def url_enable():
global enabled
enabled = True
# url_enable function
def url_disable():
global enabled
enabled = False
logging.error("url fetching is disabled.")
## useragent function
def useragent():
""" provide useragent string """
from jsb.version import getversion
(name, version) = getversion().split()[0:2]
return 'Mozilla/5.0 (X11; Linux x86_64); %s %s; http://jsonbot.org)' % (name, version)
## Url class
class Url(LazyDict):
def __init__(self, url, *args, **kwargs):
self.url = url
self.urls = []
self.parse()
def parse(self, url=None):
"""
Attribute Index Value Value if not present
scheme 0 URL scheme specifier empty string
netloc 1 Network location part empty string
path 2 Hierarchical path empty string
query 3 Query component empty string
fragment 4 Fragment identifier empty string
"""
if url: self.url = url
self.parsed = urlparse.urlsplit(url or self.url)
self.target = self.parsed[2].split("/")
if "." in self.target[-1]:
self.basepath = "/".join(self.target[:-1])
self.file = self.target[-1]
else: self.basepath = self.parsed[2] ; self.file = None
if self.basepath.endswith("/"): self.basepath = self.basepath[:-1]
self.base = urlparse.urlunsplit((self.parsed[0], self.parsed[1], self.basepath , "", ""))
self.root = urlparse.urlunsplit((self.parsed[0], self.parsed[1], "", "", ""))
def fetch(self, *args, **kwargs):
self.html = geturl2(self.url)
self.status = self.html.info.status
self.txt = striphtml(self.html)
self.lastpolled = time.time()
self.parse()
return self.html
def geturls(self):
if not self.html: self.fetch()
urls = []
from jsb.imports import getBeautifulSoup
soup = getBeautifulSoup()
s = soup.BeautifulSoup(self.html)
tags = s('a')
for tag in tags:
href = tag.get("href")
if href:
href = href.split("#")[0]
if not href: continue
if not href.endswith(".html"): continue
if ".." in href: continue
if href.startswith("mailto"): continue
if not "http" in href:
if href.startswith("/"): href = self.root + href
else: href = self.base + "/" + href
if not self.root in href: logging.warn("%s not in %s" % (self.root, href)) ; continue
if href not in urls: urls.append(href)
logging.warn("found %s urls" % len(urls))
return urls
## CBURLopener class
class CBURLopener(urllib.FancyURLopener):
""" our URLOpener """
def __init__(self, version, *args):
if version: self.version = version
else: self.version = useragent()
urllib.FancyURLopener.__init__(self, *args)
## geturl function
def geturl(url, version=None):
""" fetch an url. """
global enabled
if not enabled: raise URLNotEnabled(url)
urllib._urlopener = CBURLopener(version)
logging.warn('fetching %s' % url)
result = urllib.urlopen(url)
tmp = result.read()
result.close()
return tmp
## geturl2 function
def geturl2(url, decode=False, timeout=5):
""" use urllib2 to fetch an url. """
global enabled
if not enabled: raise URLNotEnabled(url)
logging.warn('fetching %s' % url)
request = urllib2.Request(url)
request.add_header('User-Agent', useragent())
opener = urllib2.build_opener()
result = opener.open(request, timeout=timeout)
tmp = result.read()
info = result.info()
result.close()
if decode:
encoding = get_encoding(tmp)
logging.info('%s encoding: %s' % (url, encoding))
res = istr(fromenc(tmp, encoding, url))
else: res = istr(tmp)
res.status = result.code
res.info = info
return res
## geturl4 function
def geturl4(url, myheaders={}, postdata={}, keyfile="", certfile="", port=80):
""" use httplib to fetch an url. """
global enabled
if not enabled: raise URLNotEnabled(url)
headers = {'Content-Type': 'text/html', 'Accept': 'text/plain; text/html', 'User-Agent': useragent()}
headers.update(myheaders)
urlparts = urlparse.urlparse(url)
try:
port = int(urlparts[1].split(':')[1])
host = urlparts[1].split(':')[0]
except: host = urlparts[1]
if keyfile: connection = httplib.HTTPSConnection(host, port, keyfile, certfile)
elif 'https' in urlparts[0]: connection = httplib.HTTPSConnection(host, port)
else: connection = httplib.HTTPConnection(host, port)
if type(postdata) == types.DictType: postdata = urllib.urlencode(postdata)
logging.warn('fetching %s' % url)
connection.request('GET', urlparts[2])
return connection.getresponse()
## posturl function
def posturl(url, myheaders, postdata, keyfile=None, certfile="",port=80):
""" very basic HTTP POST url retriever. """
global enabled
if not enabled: raise URLNotEnabled(url)
headers = {'Content-Type': 'application/x-www-form-urlencoded', 'Accept': 'text/plain; text/html', 'User-Agent': useragent()}
headers.update(myheaders)
urlparts = urlparse.urlparse(url)
if keyfile: connection = httplib.HTTPSConnection(urlparts[1], port, keyfile, certfile)
else: connection = httplib.HTTPConnection(urlparts[1])
if type(postdata) == types.DictType: postdata = urllib.urlencode(postdata)
logging.warn('post %s' % url)
connection.request('POST', urlparts[2], postdata, headers)
return connection.getresponse()
## delete url function
def deleteurl(url, myheaders={}, postdata={}, keyfile="", certfile="", port=80):
""" very basic HTTP DELETE. """
global enabled
if not enabled: raise URLNotEnabled(url)
headers = {'Content-Type': 'application/x-www-form-urlencoded', 'Accept': 'text/plain; text/html', 'User-Agent': useragent()}
headers.update(myheaders)
urlparts = urlparse.urlparse(url)
if keyfile and certfile: connection = httplib.HTTPSConnection(urlparts[1], port, keyfile, certfile)
else: connection = httplib.HTTPConnection(urlparts[1])
if type(postdata) == types.DictType: postdata = urllib.urlencode(postdata)
logging.info('delete %s' % url)
connection.request('DELETE', urlparts[2], postdata, headers)
return connection.getresponse()
## put url function
def puturl(url, myheaders={}, postdata={}, keyfile="", certfile="", port=80):
""" very basic HTTP PUT. """
global enabled
if not enabled: raise URLNotEnabled(url)
headers = {'Content-Type': 'application/x-www-form-urlencoded', 'Accept': 'text/plain; text/html', 'User-Agent': useragent()}
headers.update(myheaders)
urlparts = urlparse.urlparse(url)
if keyfile: connection = httplib.HTTPSConnection(urlparts[1], port, keyfile, certfile)
else: connection = httplib.HTTPConnection(urlparts[1])
if type(postdata) == types.DictType: postdata = urllib.urlencode(postdata)
logging.info('put %s' % url)
connection.request('PUT', urlparts[2], postdata, headers)
return connection.getresponse()
## getpostdata function
def getpostdata(event):
""" retrive post data from url data. """
try:
ctype, pdict = cgi.parse_header(event.headers.getheader('content-type'))
except AttributeError: ctype, pdict = cgi.parse_header(event.headers.get('content-type'))
body = cgi.FieldStorage(fp=event.rfile, headers=event.headers, environ = {'REQUEST_METHOD':'POST'}, keep_blank_values = 1)
result = {}
for name in dict(body): result[name] = body.getfirst(name)
return result
## getpostdata_gae function
def getpostdata_gae(request):
""" retrive post data from url data. """
#try:
# ctype, pdict = cgi.parse_header(request.headers.getheader('content-type'))
#except AttributeError: ctype, pdict = cgi.parse_header(request.headers.get('content-type'))
#body = cgi.FieldStorage(headers=request.headers, environ = {'REQUEST_METHOD':'POST'}, keep_blank_values = 1)
return urllib.unquote_plus(request.body[:-1].strip())
#result = {}
#for name in dict(body): result[name] = body.getfirst(name)
#return result
## decode_html_entities function
def decode_html_entities(s):
""" smart decoding of html entities to utf-8 """
re_ent_match = re.compile(u'&([^;]+);')
re_entn_match = re.compile(u'&#([^;]+);')
try: s = s.decode('utf-8', 'replace')
except: return s
def to_entn(match):
""" convert to entities """
if htmlentitydefs.entitydefs.has_key(match.group(1)):
return htmlentitydefs.entitydefs[match.group(1)].decode('latin1', 'replace')
return match.group(0)
def to_utf8(match):
""" convert to utf-8 """
return unichr(long(match.group(1)))
s = re_ent_match.sub(to_entn, s)
s = re_entn_match.sub(to_utf8, s)
return s
## get_encoding function
def get_encoding(data):
""" get encoding from web data """
if hasattr(data, 'info') and data.info.has_key('content-type') and 'charset' in data.info['content-type'].lower():
charset = data.info['content-type'].lower().split('charset', 1)[1].strip()
if charset[0] == '=':
charset = charset[1:].strip()
if ';' in charset: return charset.split(';')[0].strip()
return charset
if '<meta' in data.lower():
metas = re.findall(u'<meta[^>]+>', data, re.I | re.M)
if metas:
for meta in metas:
test_http_equiv = re.search('http-equiv\s*=\s*[\'"]([^\'"]+)[\'"]', meta, re.I)
if test_http_equiv and test_http_equiv.group(1).lower() == 'content-type':
test_content = re.search('content\s*=\s*[\'"]([^\'"]+)[\'"]', meta, re.I)
if test_content:
test_charset = re.search('charset\s*=\s*([^\s\'"]+)', meta, re.I)
if test_charset: return test_charset.group(1)
if chardet:
test = chardet.detect(data)
if test.has_key('encoding'): return test['encoding']
return sys.getdefaultencoding()
## Stripper class
class Stripper(sgmllib.SGMLParser):
""" html stripper. """
def __init__(self):
sgmllib.SGMLParser.__init__(self)
def strip(self, some_html):
""" strip html. """
self.theString = u""
self.feed(fromenc(some_html, "ascii"))
self.close()
return self.theString
def handle_data(self, data):
""" data handler. """
self.theString += data
## striphtml function
def striphtml(txt):
""" strip html from txt. """
stripper = Stripper()
txt = stripper.strip(txt)
return txt
|