简体   繁体   English

在python中使用urllib3模块而不是请求

[英]using urllib3 module instead of requests in python

This code works correctly in python 2.X version.此代码在 python 2.X 版本中正常工作。 I am trying to use the similar code in python version 3. The problem is that I do not want to use requests module.我正在尝试在 python 版本 3 中使用类似的代码。问题是我不想使用请求模块。 I need to make it work using "urllib3".我需要使用“urllib3”使其工作。

import requests
import urllib

event = {'url':'http://google.com', 'email':'abc@gmail.com', 'title':'test'}

url = event['url']
if event['email']:
    email=event['email']

if event['title']:
    title=event['title']

url1 = urllib.parse.unquote(url)
myfile=urllib.request.urlopen(url1)

requests.post("https://api.mailgun.net/v3/xxx.mailgun.org/messages",
                    auth=("api", "key-xxx"),
                    files=[("attachment", myfile)
                           ],
                    data={"from": "Excited User <excited-user@example.com>",
                          "to": email,
                          "subject": title,
                          "text": "Testing some awesomness with attachments!",
                          "html": myfile})

I am getting TypeError while trying to run this code:尝试运行此代码时出现 TypeError:

import urllib3

event = {'url':'http://oksoft.blogspot.com', 'email':'abc@gmail.com', 'title':'test'}

url = event['url']
if event['email']:
    email=event['email']

if event['title']:
    title=event['title']

url1 = urllib.parse.unquote(url)
myfile=urllib.request.urlopen(url1)

http = urllib3.PoolManager()
url = "https://api.mailgun.net/v3/xxx.mailgun.org/messages"

params={"from": "Excited User <excited-user@example.com>",
                          "to": email,
                          "subject": title,
                          "text": "Testing some awesomness with attachments!",
                          "html": myfile} 

http.request(
    "POST", url, headers={"Content-Type": "application/json", "api":"key-xxx"}, body= params
)

It returns a TypeError: can't concat str to bytes because your myfile is of type http.client.HTTPResponse , not of type str -- which needs to be passed to the request body.它返回一个TypeError: can't concat str to bytes因为你的myfilehttp.client.HTTPResponse类型,而不是str类型——它需要传递给请求正文。

So gotta first transform the response to a string and then json-serialize the body params .所以必须首先将响应转换为字符串,然后 json-serialize body params


Full code:完整代码:

import urllib3
import urllib.request
import urllib.parse
import json

event = {'url': 'http://oksoft.blogspot.com',
         'email': 'abc@gmail.com', 'title': 'test'}

url = event['url']
if event['email']:
    email = event['email']

if event['title']:
    title = event['title']

url1 = urllib.parse.unquote(url)
myfile = urllib.request.urlopen(url1)

myfile_content = myfile.read()\
    .decode(myfile.headers
            .get_content_charset(failobj='utf-8'))

http = urllib3.PoolManager()
url = "https://api.mailgun.net/v3/xxx.mailgun.org/messages"

params = {"from": "Excited User <excited-user@example.com>",
          "to": email,
          "subject": title,
          "text": "Testing some awesomness with attachments!",
          "html": myfile_content}

### EDIT

auth_headers = urllib3.util.make_headers(
    basic_auth='api:xxx')

r = http.request(
    "POST",
    url,
    headers=auth_headers,
    fields=params
)

print(r.status, r.data)

This code uses the urllib.reqeust module.此代码使用 urllib.reqeust 模块。 To actually create a file attachment as opposed to inline html content is a bit more involved than setting an html parameter with file contents.与使用文件内容设置html参数相比,实际创建文件附件而不是内联html 内容要复杂一些。

import urllib.request
import urllib.error
import urllib.parse

import io
import mimetypes
import uuid

class MultiPartForm:
    """Accumulate the data to be used when posting a form."""

    def __init__(self):
        self.form_fields = []
        self.files = []
        # Use a large random byte string to separate
        # parts of the MIME data.
        self.boundary = uuid.uuid4().hex.encode('utf-8')
        return

    def get_content_type(self):
        return 'multipart/form-data; boundary={}'.format(
            self.boundary.decode('utf-8'))

    def add_field(self, name, value):
        """Add a simple field to the form data."""
        self.form_fields.append((name, value))

    def add_file(self, fieldname, filename, fileHandle,
                 mimetype=None):
        """Add a file to be uploaded."""
        body = fileHandle.read()
        if mimetype is None:
            mimetype = (
                mimetypes.guess_type(filename)[0] or
                'application/octet-stream'
            )
        self.files.append((fieldname, filename, mimetype, body))
        return

    @staticmethod
    def _form_data(name):
        return ('Content-Disposition: form-data; '
                'name="{}"\r\n').format(name).encode('utf-8')

    @staticmethod
    def _attached_file(name, filename):
        return ('Content-Disposition: file; '
                'name="{}"; filename="{}"\r\n').format(
                    name, filename).encode('utf-8')

    @staticmethod
    def _content_type(ct):
        return 'Content-Type: {}\r\n'.format(ct).encode('utf-8')

    def __bytes__(self):
        """Return a byte-string representing the form data,
        including attached files.
        """
        buffer = io.BytesIO()
        boundary = b'--' + self.boundary + b'\r\n'

        # Add the form fields
        for name, value in self.form_fields:
            buffer.write(boundary)
            buffer.write(self._form_data(name))
            buffer.write(b'\r\n')
            buffer.write(value.encode('utf-8'))
            buffer.write(b'\r\n')

        # Add the files to upload
        for f_name, filename, f_content_type, body in self.files:
            buffer.write(boundary)
            buffer.write(self._attached_file(f_name, filename))
            buffer.write(self._content_type(f_content_type))
            buffer.write(b'\r\n')
            buffer.write(body)
            buffer.write(b'\r\n')

        buffer.write(b'--' + self.boundary + b'--\r\n')
        return buffer.getvalue()


event = {'url':'http://oksoft.blogspot.com', 'email':'abc@gmail.com', 'title':'test'}

url = event['url']
if event['email']:
    email=event['email']

if event['title']:
    title=event['title']

form = MultiPartForm()
form.add_field("from", "Excited User <excited-user@example.com>")
form.add_field("to", email)
form.add_field("subject", title)
form.add_field("text", "Testing some awesomness with attachments!")
with urllib.request.urlopen(url) as f:
    form.add_file("attachment", "test.html", f, "text/html")

url = "https://api.mailgun.net/v3/xxx.mailgun.org/messages"

# create basic authorization opener
auth_handler = urllib.request.HTTPBasicAuthHandler()
auth_handler.add_password(realm='MG API',
                          uri=url,
                          user='api',
                          passwd='xxx-key')
opener = urllib.request.build_opener(auth_handler)

data = bytes(form)
req = urllib.request.Request(url, data=data)
req.add_header('Content-type', form.get_content_type())
req.add_header('Content-length', len(data))
with opener.open(req) as f:
     print(f.read().decode('utf-8'))

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM