How To Convert Request.data To Dict?
I try to get JSON data from client using this line (requests library) POST request: request.data How to convert this to dict? It works: response_data = request.get_json() But how
Solution 1:
Edit: For post request:
import requests
import json
url = "https://jsonplaceholder.typicode.com/posts/"
payload = {
"userId": 10,
"id": 901,
"title": "sunt aut facere repellat provident occaecati excepturi optio reprehenderit",
"body": "quia et suscipit\nsuscipit recusandae consequuntur expedita et cum\nreprehenderit molestiae ut ut quas totam\nnostrum rerum est autem sunt rem eveniet architecto"
}
headers = {
'content-type': "application/json",
'cache-control': "no-cache",
'postman-token': "c71c65a6-07f4-a2a4-a6f8-dca3fd706a7a"
}
response = requests.request("POST", url, data=json.dumps(payload), headers=headers)
print(type(response.json()))
class 'dict'
You can use something like this:
import requests
url = "https://api.icndb.com/jokes/random"
headers = {
'cache-control': "no-cache",
'postman-token': "77047c8b-caed-2b2c-ab33-dbddf52a7a9f"
}
response = requests.request("GET", url, headers=headers)
print(type(response.json()))
class 'dict'
Solution 2:
import json
response_data = json.loads(response.text)
result = response_data.get('result')
you need to deserialize response.text
to have it as dict and then user .get
with respective key. result
is a key in above example. and response
was the response of a url call.
Post a Comment for "How To Convert Request.data To Dict?"