python requests get params example

Python Requests GET Params Example

When making HTTP requests, it is often necessary to include parameters in the URL query string. This is especially true when using APIs. In Python, the requests library makes it easy to include GET parameters in our requests.

Example:

Let's say we want to retrieve some data from an API that requires a specific parameter. We can do this using the requests library as follows:



import requests

url = 'https://example.com/api/data'
params = {'param1': 'value1', 'param2': 'value2'}
response = requests.get(url, params=params)

print(response.json())

In the code above:

  • We import the requests library.
  • We define the URL we want to access.
  • We define a dictionary of parameters that we want to include in the request.
  • We make the request using the requests.get() method and pass in the URL and parameters.
  • We print out the JSON response.

When we run this code, the requests library automatically formats the parameters dictionary and appends it to the end of the URL as a query string.

Alternative Method:

An alternative method is to build the URL string manually with the parameters included. This can be done as follows:



import requests

url = 'https://example.com/api/data?param1=value1¶m2=value2'
response = requests.get(url)

print(response.json())

This method works just as well, but can be more cumbersome if we have many parameters to include in the URL. It can also lead to errors if we forget to properly encode special characters in our parameter values.

Overall, the requests library makes it easy to include GET parameters in our requests, and we have multiple options to choose from depending on our needs.