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
|
# -*- coding: utf-8 -*-
# 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., 51 Franklin Street, Fifth Floor, Boston,
# MA 02110-1301, USA.
#
# Author: Mauro Soria
import http.client
import socket
import random
import re
import requests
import threading
import time
from requests.adapters import HTTPAdapter
from requests.auth import AuthBase, HTTPBasicAuth, HTTPDigestAuth
from requests.packages.urllib3 import disable_warnings
from requests_ntlm import HttpNtlmAuth
from urllib.parse import urlparse
from lib.core.data import options
from lib.core.decorators import cached
from lib.core.exceptions import RequestException
from lib.core.logger import logger
from lib.core.settings import (
RATE_UPDATE_DELAY,
READ_RESPONSE_ERROR_REGEX,
SCRIPT_PATH,
PROXY_SCHEMES,
)
from lib.core.structures import CaseInsensitiveDict
from lib.connection.dns import cached_getaddrinfo
from lib.connection.response import Response
from lib.utils.common import safequote
from lib.utils.file import FileUtils
from lib.utils.mimetype import guess_mimetype
# Disable InsecureRequestWarning from urllib3
disable_warnings()
# Use custom `socket.getaddrinfo` for `requests` which supports DNS caching
socket.getaddrinfo = cached_getaddrinfo
class HTTPBearerAuth(AuthBase):
def __init__(self, token):
self.token = token
def __call__(self, request):
request.headers["Authorization"] = f"Bearer {self.token}"
return request
class Requester:
def __init__(self):
self._url = None
self._proxy_cred = None
self._rate = 0
self.headers = CaseInsensitiveDict(options["headers"])
self.agents = []
self.session = requests.Session()
self.session.verify = False
self.session.cert = (
options["cert_file"],
options["key_file"],
)
if options["random_agents"]:
self._fetch_agents()
# Guess the mime type of request data if not specified
if options["data"] and "content-type" not in self.headers:
self.set_header("content-type", guess_mimetype(options["data"]))
for scheme in ("http://", "https://"):
self.session.mount(
scheme, HTTPAdapter(max_retries=0, pool_maxsize=options["thread_count"])
)
def _fetch_agents(self):
self.agents = FileUtils.get_lines(
FileUtils.build_path(SCRIPT_PATH, "db", "user-agents.txt")
)
def set_url(self, url):
self._url = url
def set_header(self, key, value):
self.headers[key] = value.lstrip()
def set_auth(self, type, credential):
if type in ("bearer", "jwt", "oath2"):
self.session.auth = HTTPBearerAuth(credential)
else:
try:
user, password = credential.split(":", 1)
except ValueError:
user = credential
password = ""
if type == "basic":
self.session.auth = HTTPBasicAuth(user, password)
elif type == "digest":
self.session.auth = HTTPDigestAuth(user, password)
else:
self.session.auth = HttpNtlmAuth(user, password)
def set_proxy(self, proxy):
if not proxy:
return
if not proxy.startswith(PROXY_SCHEMES):
proxy = f"http://{proxy}"
if self._proxy_cred and "@" not in proxy:
# socks5://localhost:9050 => socks5://[credential]@localhost:9050
proxy = proxy.replace("://", f"://{self._proxy_cred}@", 1)
self.session.proxies = {"https": proxy}
if not proxy.startswith("https://"):
self.session.proxies["http"] = proxy
def set_proxy_auth(self, credential):
self._proxy_cred = credential
# :path: is expected not to start with "/"
def request(self, path, proxy=None):
# Pause if the request rate exceeded the maximum
while self.is_rate_exceeded():
time.sleep(0.1)
self.increase_rate()
err_msg = None
# Safe quote all special characters to prevent them from being encoded
url = safequote(self._url + path if self._url else path)
# Why using a loop instead of max_retries argument? Check issue #1009
for _ in range(options["max_retries"] + 1):
try:
try:
proxy = proxy or random.choice(options["proxies"])
self.set_proxy(proxy)
except IndexError:
pass
if self.agents:
self.set_header("user-agent", random.choice(self.agents))
# Use prepared request to avoid the URL path from being normalized
# Reference: https://github.com/psf/requests/issues/5289
request = requests.Request(
options["http_method"],
url,
headers=self.headers,
data=options["data"],
)
prepped = self.session.prepare_request(request)
prepped.url = url
response = self.session.send(
prepped,
allow_redirects=options["follow_redirects"],
timeout=options["timeout"],
stream=True,
)
response = Response(response)
log_msg = f'"{options["http_method"]} {response.url}" {response.status} - {response.length}B'
if response.redirect:
log_msg += f" - LOCATION: {response.redirect}"
logger.info(log_msg)
return response
except Exception as e:
logger.exception(e)
if e == socket.gaierror:
err_msg = "Couldn't resolve DNS"
elif "SSLError" in str(e):
err_msg = "Unexpected SSL error"
elif "TooManyRedirects" in str(e):
err_msg = f"Too many redirects: {url}"
elif "ProxyError" in str(e):
err_msg = f"Error with the proxy: {proxy}"
# Prevent from re-using it in the future
if proxy in options["proxies"] and len(options["proxies"]) > 1:
options["proxies"].remove(proxy)
elif "InvalidURL" in str(e):
err_msg = f"Invalid URL: {url}"
elif "InvalidProxyURL" in str(e):
err_msg = f"Invalid proxy URL: {proxy}"
elif "ConnectionError" in str(e):
err_msg = f"Cannot connect to: {urlparse(url).netloc}"
elif re.search(READ_RESPONSE_ERROR_REGEX, str(e)):
err_msg = f"Failed to read response body: {url}"
elif "Timeout" in str(e) or e in (
http.client.IncompleteRead,
socket.timeout,
):
err_msg = f"Request timeout: {url}"
else:
err_msg = (
f"There was a problem in the request to: {url}"
)
raise RequestException(err_msg)
def is_rate_exceeded(self):
return self._rate >= options["max_rate"] > 0
def decrease_rate(self):
self._rate -= 1
def increase_rate(self):
self._rate += 1
threading.Timer(1, self.decrease_rate).start()
@property
@cached(RATE_UPDATE_DELAY)
def rate(self):
return self._rate
|