How to build URLs in Python

Python

Python Problem Overview


I need to know how to build URLs in python like:

http://subdomain.domain.com?arg1=someargument&arg2=someotherargument

What library would you recommend to use and why? Is there a "best" choice for this kind of library?

Also, can you provide me with sample code to start with using the library?

Python Solutions


Solution 1 - Python

I would go for Python's urllib, it's a built-in library.

Python 2

import urllib
url = 'https://example.com/somepage/?'
params = {'var1': 'some data', 'var2': 1337}
print(url + urllib.urlencode(params))

Python 3

import urllib.parse
url = 'https://example.com/somepage/?'
params = {'var1': 'some data', 'var2': 1337}
print(url + urllib.parse.urlencode(params))

Output:

https://example.com/somepage/?var1=some+data&var2=1337

Solution 2 - Python

urlparse in the python standard library is all about building valid urls. Check the documentation of urlparse

Solution 3 - Python

Here is an example of using urlparse to generate URLs. This provides the convenience of adding path to the URL without worrying about checking slashes.

import urllib

def build_url(base_url, path, args_dict):
    # Returns a list in the structure of urlparse.ParseResult
    url_parts = list(urllib.parse.urlparse(base_url))
    url_parts[2] = path
    url_parts[4] = urllib.parse.urlencode(args_dict)
    return urllib.parse.urlunparse(url_parts)

>>> args = {'arg1': 'value1', 'arg2': 'value2'}
>>> # works with double slash scenario
>>> build_url('http://www.example.com/', '/somepage/index.html', args)

http://www.example.com/somepage/index.html?arg1=value1&arg2=value2

# works without slash
>>> build_url('http://www.example.com', 'somepage/index.html', args)

http://www.example.com/somepage/index.html?arg1=value1&arg2=value2

Solution 4 - Python

import urllib

def make_url(base_url , *res, **params):
    url = base_url
    for r in res:
        url = '{}/{}'.format(url, r)
    if params:
        url = '{}?{}'.format(url, urllib.urlencode(params))
    return url

print make_url('http://example.com', 'user', 'ivan', alcoholic='true', age=18)

Output:

http://example.com/user/ivan?age=18&alcoholic=true

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionSergio AyestaránView Question on Stackoverflow
Solution 1 - PythonchjortlundView Answer on Stackoverflow
Solution 2 - PythonSenthil KumaranView Answer on Stackoverflow
Solution 3 - PythonMichael Jaison GView Answer on Stackoverflow
Solution 4 - PythonMike KView Answer on Stackoverflow