123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332 |
- #!/usr/bin/env python
- # -*- coding: utf-8 -*-"
- # vim: set expandtab tabstop=4 shiftwidth=4:
- """
- This file is part of the XSSer project, https://xsser.03c8.net
- Copyright (c) 2010/2021 | psy <epsylon@riseup.net>
- xsser 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 version 3 of the License.
- xsser 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 xsser; if not, write to the Free Software Foundation, Inc., 51
- Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
- """
- import sys
- import urllib.request, urllib.parse, urllib.error
- import time
- import traceback
- from . import curlcontrol
- from . import threadpool
- from queue import Queue
- from collections import defaultdict
- from bs4 import BeautifulSoup
- from bs4.dammit import EncodingDetector
- try:
- import pycurl
- except:
- print("\n[Error] Cannot import lib: pycurl. \n\n To install it try:\n\n $ 'sudo apt-get install python3-pycurl' or 'pip3 install pycurl'\n")
- sys.exit()
- class EmergencyLanding(Exception):
- pass
- class Crawler(object):
- """
- Crawler class.
- """
- def __init__(self, parent, curlwrapper=None, crawled=None, pool=None):
- # verbose: 0-no printing, 1-prints dots, 2-prints full output
- self.verbose = 0
- self._parent = parent
- self._to_crawl = []
- self._parse_external = True
- self._requests = []
- self._ownpool = False
- self._reporter = None
- self._armed = True
- self._poolsize = 10
- self._found_args = defaultdict(list)
- self.pool = pool
- if crawled:
- self._crawled = crawled
- else:
- self._crawled = []
- if curlwrapper:
- self.curl = curlwrapper
- else:
- self.curl = curlcontrol.Curl
- def report(self, msg):
- if self._reporter:
- self._reporter.report(msg)
- else:
- print(msg)
- def set_reporter(self, reporter):
- self._reporter = reporter
- def _find_args(self, url):
- """
- find parameters in given url.
- """
- parsed = urllib.parse.urlparse(url)
- if "C=" in parsed.query and "O=" in parsed.query:
- qs = ""
- else:
- qs = urllib.parse.parse_qs(parsed.query)
- if parsed.scheme:
- path = parsed.scheme + "://" + parsed.netloc + parsed.path
- else:
- path = parsed.netloc + parsed.path
- for arg_name in qs:
- key = (arg_name, parsed.netloc)
- zipped = list(zip(*self._found_args[key]))
- if not zipped or not path in zipped[0]:
- self._found_args[key].append([path, url])
- self.generate_result(arg_name, path, url)
- if not qs:
- parsed = urllib.parse.urlparse(url)
- if path.endswith("/"):
- attack_url = path + "XSS"
- else:
- attack_url = path + "/XSS"
- if not attack_url in self._parent.crawled_urls:
- self._parent.crawled_urls.append(attack_url)
- ncurrent = sum([len(s) for s in list(self._found_args.values())])
- if ncurrent >= self._max:
- self._armed = False
- def cancel(self):
- self._armed = False
- def crawl(self, path, depth=3, width=0, local_only=True):
- """
- setup and perform a crawl on the given url.
- """
- if not self._armed:
- return []
- parsed = urllib.parse.urlparse(path)
- basepath = parsed.scheme + "://" + parsed.netloc
- self._parse_external = not local_only
- if not self.pool:
- self.pool = threadpool.ThreadPool(self._poolsize)
- if self.verbose == 2:
- self.report("crawling: " + path)
- if width == 0:
- self._max = 1000000000
- else:
- self._max = int(width)
- self._path = path
- self._depth = depth
- attack_urls = []
- if not self._parent._landing and self._armed:
- self._crawl(basepath, path, depth, width)
- # now parse all found items
- if self._ownpool:
- self.pool.dismissWorkers(len(self.pool.workers))
- self.pool.joinAllDismissedWorkers()
- return attack_urls
- def shutdown(self):
- if self._ownpool:
- self.pool.dismissWorkers(len(self.pool.workers))
- self.pool.joinAllDismissedWorkers()
- def generate_result(self, arg_name, path, url):
- parsed = urllib.parse.urlparse(url)
- qs = urllib.parse.parse_qs(parsed.query)
- qs_joint = {}
- for key, val in qs.items():
- qs_joint[key] = val[0]
- attack_qs = dict(qs_joint)
- attack_qs[arg_name] = "XSS"
- attack_url = path + '?' + urllib.parse.urlencode(attack_qs)
- if not attack_url in self._parent.crawled_urls:
- self._parent.crawled_urls.append(attack_url)
- def _crawl(self, basepath, path, depth=3, width=0):
- """
- perform a crawl on the given url.
- this function downloads and looks for links.
- """
- self._crawled.append(path)
- if not path.startswith("http"):
- return
- def _cb(request, result):
- self._get_done(depth, width, request, result)
- self._requests.append(path)
- self.pool.addRequest(self._curl_main, [[path, depth, width, basepath]],
- self._get_done_dummy, self._get_error)
- def _curl_main(self, pars):
- path, depth, width, basepath = pars
- if not self._armed or len(self._parent.crawled_urls) >= self._max:
- raise EmergencyLanding
- c = self.curl()
- c.set_timeout(5)
- try:
- res = c.get(path)
- except Exception as error:
- c.close()
- del c
- raise error
- c_info = c.info().get('content-type', None)
- c.close()
- del c
- self._get_done(basepath, depth, width, path, res, c_info)
- def _get_error(self, request, error):
- path, depth, width, basepath = request.args[0]
- e_type, e_value, e_tb = error
- if e_type == pycurl.error:
- errno, message = e_value.args
- if errno == 28:
- print("requests pyerror -1")
- self.enqueue_jobs()
- self._requests.remove(path)
- return # timeout
- else:
- self.report('crawler curl error: '+message+' ('+str(errno)+')')
- elif e_type == EmergencyLanding:
- pass
- else:
- traceback.print_tb(e_tb)
- self.report('crawler error: '+str(e_value)+' '+path)
- if not e_type == EmergencyLanding:
- for reporter in self._parent._reporters:
- reporter.mosquito_crashed(path, str(e_value))
- self.enqueue_jobs()
- self._requests.remove(path)
- def _emergency_parse(self, html_data, start=0):
- links = set()
- pos = 0
- try:
- data_len = len(html_data)
- except:
- data_len = html_data
- try:
- while pos < data_len:
- if len(links)+start > self._max:
- break
- pos = html_data.find("href=", pos)
- if not pos == -1:
- sep = html_data[pos+5]
- if sep == "h":
- pos -= 1
- sep=">"
- href = html_data[pos+6:html_data.find(sep, pos+7)].split("#")[0]
- pos = pos+1
- links.add(href)
- else:
- break
- except:
- pass
- return [{'href': s} for s in links]
- def _get_done_dummy(self, request, result):
- path = request.args[0][0]
- self.enqueue_jobs()
- self._requests.remove(path)
- def enqueue_jobs(self):
- if len(self.pool.workRequests) < int(self._max/2):
- while self._to_crawl:
- next_job = self._to_crawl.pop()
- self._crawl(*next_job)
- def _get_done(self, basepath, depth, width, path, html_data, content_type):
- if not self._armed or len(self._parent.crawled_urls) >= self._max:
- raise EmergencyLanding
- try:
- encoding = content_type.split(";")[1].split("=")[1].strip()
- except:
- encoding = None
- try:
- soup = BeautifulSoup(html_data, 'html.parser')
- links = None
- except:
- soup = None
- links = self._emergency_parse(html_data)
- for reporter in self._parent._reporters:
- reporter.start_crawl(path)
- if not links and soup:
- links = soup.findAll('a')
- forms = soup.findAll('form')
- for form in forms:
- pars = {}
- if "action" in form:
- action_path = urllib.parse.urljoin(path, form["action"])
- else:
- action_path = path
- for input_par in form.findAll('input'):
- if "name" not in input_par:
- continue
- value = "foo"
- if "value" in input_par and input_par["value"]:
- value = input_par["value"]
- pars[input_par["name"]] = value
- for input_par in form.findAll('select'):
- pars[input_par["name"]] = "1"
- if pars:
- links.append({"url":action_path + '?' + urllib.parse.urlencode(pars)})
- else:
- links.append({"url":action_path})
- links += self._emergency_parse(html_data, len(links))
- if self.verbose == 2:
- self.report(" "*(self._depth-depth) + path +" "+ str(len(links)))
- elif self.verbose:
- sys.stdout.write(".")
- sys.stdout.flush()
- if len(links) > self._max:
- links = links[:self._max]
- for a in links:
- try:
- #href = str(a['href'].encode('utf-8'))
- href = str(a['href'])
- except KeyError:
- # this link has no href
- continue
- except:
- # can't decode or something darker..
- continue
- if href.startswith("javascript") or href.startswith('mailto:'):
- continue
- href = urllib.parse.urljoin(path, href)
- if not href.startswith("http") or not "." in href:
- continue
- href = href.split('#',1)[0]
- scheme_rpos = href.rfind('http://')
- if not scheme_rpos in [0, -1]:
- # looks like some kind of redirect so we try both too ;)
- href1 = href[scheme_rpos:]
- href2 = href[:scheme_rpos]
- self._check_url(basepath, path, href1, depth, width)
- self._check_url(basepath, path, href2, depth, width)
- self._check_url(basepath, path, href, depth, width)
- return self._found_args
- def _check_url(self, basepath, path, href, depth, width):
- """
- process the given url for a crawl
- check to see if we have to continue crawling on the given url.
- """
- do_crawling = self._parse_external or href.startswith(basepath)
- if do_crawling and not href in self._crawled:
- self._find_args(href)
- for reporter in self._parent._reporters:
- reporter.add_link(path, href)
- if self._armed and depth>0:
- if len(self._to_crawl) < self._max:
- self._to_crawl.append([basepath, href, depth-1, width])
|