使用 Python 'Requests' 模块的代理

2024-12-16 08:35:00
admin
原创
4136
摘要:问题描述:这只是关于Python 优秀的Requests模块的简短介绍。我在文档中似乎找不到变量“proxies”应该包含什么。当我向它发送一个带有标准“IP:PORT”值的字典时,它拒绝了并要求输入 2 个值。所以,我猜(因为文档中似乎没有涵盖这一点)第一个值是 ip,第二个值是端口?文档仅提到这一点:pr...

问题描述:

这只是关于Python 优秀的Requests模块的简短介绍。

我在文档中似乎找不到变量“proxies”应该包含什么。当我向它发送一个带有标准“IP:PORT”值的字典时,它拒绝了并要求输入 2 个值。所以,我猜(因为文档中似乎没有涵盖这一点)第一个值是 ip,第二个值是端口?

文档仅提到这一点:

proxies – (可选)将协议映射到代理的 URL 的字典。

所以我尝试了这个...我应该做什么?

proxy = { ip: port}

在将它们放入字典之前,我应该将它们转换为某种类型吗?

r = requests.get(url,headers=headers,proxies=proxy)

解决方案 1:

' 字典语法proxies是。使用它,你可以为使用httphttpsftp{"protocol": "scheme://ip:port", ...}协议的请求指定不同的(或相同的)代理:

http_proxy  = "http://10.10.1.10:3128"
https_proxy = "https://10.10.1.11:1080"
ftp_proxy   = "ftp://10.10.1.10:3128"

proxies = { 
              "http"  : http_proxy, 
              "https" : https_proxy, 
              "ftp"   : ftp_proxy
            }

r = requests.get(url, headers=headers, proxies=proxies)

根据requests文档推断:

参数:

method – 新 Request 对象的方法。 –

urlRequest 对象的 URL。... – (可选)将协议

映射代理的 URL 的字典。...

proxies


在 Linux 上,您还可以通过、和环境变量执行HTTP_PROXYHTTPS_PROXY操作FTP_PROXY

export HTTP_PROXY=10.10.1.10:3128
export HTTPS_PROXY=10.10.1.11:1080
export FTP_PROXY=10.10.1.10:3128

在 Windows 上:

set http_proxy=10.10.1.10:3128
set https_proxy=10.10.1.11:1080
set ftp_proxy=10.10.1.10:3128

解决方案 2:

您可以在此处参考代理文档。

如果您需要使用代理,则可以使用任何请求方法的代理参数配置单独的请求:

import requests

proxies = {
  "http": "http://10.10.1.10:3128",
  "https": "https://10.10.1.10:1080",
}

requests.get("http://example.org", proxies=proxies)

要将 HTTP Basic Auth 与代理一起使用,请使用http://user:password@host.com/以下语法:

proxies = {
    "http": "http://user:pass@10.10.1.10:3128/"
}

解决方案 3:

我发现 urllib 有一些非常好的代码来获取系统的代理设置,而且它们恰好是可以直接使用的正确形式。你可以像这样使用:

import urllib

...
r = requests.get('http://example.org', proxies=urllib.request.getproxies())

它运行得非常好,并且 urllib 也知道如何获取 Mac OS X 和 Windows 设置。

解决方案 4:

接受的答案对我来说是一个好的开始,但我一直收到以下错误:

AssertionError: Not supported proxy scheme None

解决这个问题的方法是指定代理 URL 中的 http://,如下所示:

http_proxy  = "http://194.62.145.248:8080"
https_proxy  = "https://194.62.145.248:8080"
ftp_proxy   = "10.10.1.10:3128"

proxyDict = {
              "http"  : http_proxy,
              "https" : https_proxy,
              "ftp"   : ftp_proxy
            }

我很感兴趣为什么原版对某些人有用,但对我却没用。

编辑:我看到主要答案现已更新以反映这一点:)

解决方案 5:

如果您想要保留 cookies 和会话数据,最好这样做:

import requests

proxies = {
    'http': 'http://user:pass@10.10.1.0:3128',
    'https': 'https://user:pass@10.10.1.0:3128',
}

# Create the session and set the proxies.
s = requests.Session()
s.proxies = proxies

# Make the HTTP request through the session.
r = s.get('http://www.showmemyip.com/')

解决方案 6:

晚了 8 年。但我喜欢:

import os
import requests

os.environ['HTTP_PROXY'] = os.environ['http_proxy'] = 'http://http-connect-proxy:3128/'
os.environ['HTTPS_PROXY'] = os.environ['https_proxy'] = 'http://http-connect-proxy:3128/'
os.environ['NO_PROXY'] = os.environ['no_proxy'] = '127.0.0.1,localhost,.local'

r = requests.get('https://example.com')  # , verify=False

解决方案 7:

该文档
给出了代理使用的非常清晰的示例

import requests

proxies = {
  'http': 'http://10.10.1.10:3128',
  'https': 'http://10.10.1.10:1080',
}

requests.get('http://example.org', proxies=proxies)

然而,没有记录的事实是,即使架构相同,您甚至可以为单个 URL 配置代理!当您想对要抓取的不同网站使用不同的代理时,这非常有用。

proxies = {
  'http://example.org': 'http://10.10.1.10:3128',
  'http://something.test': 'http://10.10.1.10:1080',
}

requests.get('http://something.test/some/url', proxies=proxies)

此外,requests.get它本质上使用了requests.Session底层技术,因此如果您需要更多控制,可以直接使用它

import requests

proxies = {
  'http': 'http://10.10.1.10:3128',
  'https': 'http://10.10.1.10:1080',
}
session = requests.Session()
session.proxies.update(proxies)

session.get('http://example.org')

我用它来设置一个后备(默认代理),处理所有与字典中指定的架构/url 不匹配的流量

import requests

proxies = {
  'http': 'http://10.10.1.10:3128',
  'https': 'http://10.10.1.10:1080',
}
session = requests.Session()
session.proxies.setdefault('http', 'http://127.0.0.1:9009')
session.proxies.update(proxies)

session.get('http://example.org')

解决方案 8:

我刚刚制作了一个代理抓取器,并且可以无需任何输入连接相同的抓取代理,如下所示:

#Import Modules

from termcolor import colored
from selenium import webdriver
import requests
import os
import sys
import time

#Proxy Grab

options = webdriver.ChromeOptions()
options.add_argument('headless')
driver = webdriver.Chrome(chrome_options=options)
driver.get("https://www.sslproxies.org/")
tbody = driver.find_element_by_tag_name("tbody")
cell = tbody.find_elements_by_tag_name("tr")
for column in cell:

        column = column.text.split(" ")
        print(colored(column[0]+":"+column[1],'yellow'))
driver.quit()
print("")

os.system('clear')
os.system('cls')

#Proxy Connection

print(colored('Getting Proxies from graber...','green'))
time.sleep(2)
os.system('clear')
os.system('cls')
proxy = {"http": "http://"+ column[0]+":"+column[1]}
url = 'https://mobile.facebook.com/login'
r = requests.get(url,  proxies=proxy)
print("")
print(colored('Connecting using proxy' ,'green'))
print("")
sts = r.status_code

解决方案 9:

这是我在 Python 中为请求模块编写的基本类,其中包含一些代理配置和秒表!

import requests
import time
class BaseCheck():
    def __init__(self, url):
        self.http_proxy  = "http://user:pw@proxy:8080"
        self.https_proxy = "http://user:pw@proxy:8080"
        self.ftp_proxy   = "http://user:pw@proxy:8080"
        self.proxyDict = {
                      "http"  : self.http_proxy,
                      "https" : self.https_proxy,
                      "ftp"   : self.ftp_proxy
                    }
        self.url = url
        def makearr(tsteps):
            global stemps
            global steps
            stemps = {}
            for step in tsteps:
                stemps[step] = { 'start': 0, 'end': 0 }
            steps = tsteps
        makearr(['init','check'])
        def starttime(typ = ""):
            for stemp in stemps:
                if typ == "":
                    stemps[stemp]['start'] = time.time()
                else:
                    stemps[stemp][typ] = time.time()
        starttime()
    def __str__(self):
        return str(self.url)
    def getrequests(self):
        g=requests.get(self.url,proxies=self.proxyDict)
        print g.status_code
        print g.content
        print self.url
        stemps['init']['end'] = time.time()
        #print stemps['init']['end'] - stemps['init']['start']
        x= stemps['init']['end'] - stemps['init']['start']
        print x


test=BaseCheck(url='http://google.com')
test.getrequests()

解决方案 10:

已测试,以下代码有效。需要使用HTTPProxyAuth。

import requests
from requests.auth import HTTPProxyAuth


USE_PROXY = True
proxy_user = "aaa"
proxy_password = "bbb"
http_proxy = "http://your_proxy_server:8080"
https_proxy = "http://your_proxy_server:8080"
proxies = {
    "http": http_proxy,
    "https": https_proxy
}

def test(name):
    print(f'Hi, {name}')  # Press Ctrl+F8 to toggle the breakpoint.
    # Create the session and set the proxies.
    session = requests.Session()
    if USE_PROXY:
        session.trust_env = False
        session.proxies = proxies
        session.auth = HTTPProxyAuth(proxy_user, proxy_password)

    r = session.get('https://www.stackoverflow.com')
    print(r.status_code)

if __name__ == '__main__':
    test('aaa')

解决方案 11:

有点晚了,但这里有一个包装类,可以简化抓取代理,然后进行 http POST 或 GET:

代理请求

https://github.com/rootVIII/proxy_requests

解决方案 12:

我分享了一些代码,关于如何从网站“https://free-proxy-list.net”获取代理并将数据存储到与“Elite Proxy Switcher”等工具兼容的文件中(格式为 IP:PORT):

PROXY_UPDATER - 从https://free-proxy-list.net/获取免费代理

from lxml.html import fromstring
import requests
from itertools import cycle
import traceback
import re

######################FIND PROXIES#########################################
def get_proxies():
    url = 'https://free-proxy-list.net/'
    response = requests.get(url)
    parser = fromstring(response.text)
    proxies = set()
    for i in parser.xpath('//tbody/tr')[:299]:   #299 proxies max
        proxy = ":".join([i.xpath('.//td[1]/text()') 
        [0],i.xpath('.//td[2]/text()')[0]])
        proxies.add(proxy)
    return proxies



######################write to file in format   IP:PORT######################
try:
    proxies = get_proxies()
    f=open('proxy_list.txt','w')
    for proxy in proxies:
        f.write(proxy+'
')
    f.close()
    print ("DONE")
except:
    print ("MAJOR ERROR")
相关推荐
  为什么项目管理通常仍然耗时且低效?您是否还在反复更新电子表格、淹没在便利贴中并参加每周更新会议?这确实是耗费时间和精力。借助软件工具的帮助,您可以一目了然地全面了解您的项目。如今,国内外有足够多优秀的项目管理软件可以帮助您掌控每个项目。什么是项目管理软件?项目管理软件是广泛行业用于项目规划、资源分配和调度的软件。它使项...
项目管理软件   902  
  IPD流程全称及其在复杂项目中的实施挑战IPD(Integrated Product Development),即集成产品开发,是一种先进的产品研发流程。它最早由美国PRTM咨询公司提出,旨在通过明确目标、协同合作、并行设计、数字化工具等手段,提高产品开发效率和质量。IPD流程涵盖了从市场调研、产品规划、设计、测试到最...
IPD集成产品开发流程   19  
  引言:IPD项目流程图的重要性在当今竞争激烈的市场环境中,企业要想持续保持竞争优势,就必须不断提升客户满意度。而实现这一目标的关键在于高效、有序的项目管理。集成产品开发(Integrated Product Development,IPD)作为一种先进的项目管理方法,通过跨部门协作和流程优化,能够显著提升产品开发效率和...
IPD研发管理体系   18  
  研发IPD流程成本控制的重要性在产品研发领域,集成产品开发(Integrated Product Development,简称IPD)流程已经成为众多企业提升竞争力的关键手段。IPD流程强调跨部门协作、市场导向和快速响应,但在这个过程中,成本控制往往成为决定项目成败的重要因素。有效的成本控制策略不仅能确保产品按时上市,...
IPD测试流程   29  
  华为IPD在数字化转型中的应用与挑战引言随着信息技术的飞速发展,数字化转型已成为企业提升竞争力、实现可持续发展的关键路径。华为,作为全球领先的科技企业,其成功在很大程度上得益于其独特的研发管理体系——集成产品开发(IPD)。IPD不仅帮助华为在激烈的市场竞争中脱颖而出,也为其他企业在数字化转型过程中提供了宝贵的经验和启...
IPD开发流程管理   20  
热门文章
项目管理软件有哪些?
云禅道AD
禅道项目管理软件

云端的项目管理软件

尊享禅道项目软件收费版功能

无需维护,随时随地协同办公

内置subversion和git源码管理

每天备份,随时转为私有部署

免费试用