urlencode – How to URL encode in Python 3?

urlencode – How to URL encode in Python 3?

You misread the documentation. You need to do two things:

  1. Quote each key and value from your dictionary, and
  2. Encode those into a URL

Luckily urllib.parse.urlencode does both those things in a single step, and thats the function you should be using.

from urllib.parse import urlencode, quote_plus

payload = {username:administrator, password:xyz}
result = urlencode(payload, quote_via=quote_plus)
# password=xyz&username=administrator

For Python 3 you could try using quote instead of quote_plus:

import urllib.parse

print(urllib.parse.quote(http://www.sample.com/, safe=))

Result:

http%3A%2F%2Fwww.sample.com%2F

Or:

from requests.utils import requote_uri
requote_uri(http://www.sample.com/?id=123 abc)

Result:

https://www.sample.com/?id=123%20abc

urlencode – How to URL encode in Python 3?

You’re looking for urllib.parse.urlencode

import urllib.parse

params = {username: administrator, password: xyz}
encoded = urllib.parse.urlencode(params)
# Returns: username=administrator&password=xyz

Leave a Reply

Your email address will not be published. Required fields are marked *