Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

TypeError: 'Response' object has no attribute '__getitem__'

I am trying to get a value from a response object in a dictionary, but I keep running into this error, am I wrong in thinking you __getitem__ is more commonly used for indexing in classes?

Here is the code:

import json
import requests
from requests.auth import HTTPBasicAuth

url = "http://public.coindaddy.io:4000/api/"
headers = {'content-type': 'application/json'}
auth = HTTPBasicAuth('rpc', '1234')

payload = {
  "method": "get_running_info",
  "params": {},
  "jsonrpc": "2.0",
  "id": 0,
}

response = requests.post(url, data=json.dumps(payload), headers=headers,   auth=auth)


print("respone is: ", response['result'])
like image 408
cyclopse87 Avatar asked Sep 19 '15 07:09

cyclopse87


1 Answers

The response object is not a dictionary, you cannot use indexing on it.

If the API returns a JSON response, you need to use the response.json() method to decode it to a Python object:

data = response.json()
print("respone is: ", data['result'])

Note that you don't have to encode the request JSON data either; you could just use the json argument to the request.post() method here; this also sets the Content-Type header for you:

response = requests.post(url, json=payload, auth=auth)

Last but not least, if the API uses JSONRPC as the protocol, you could use the jsonrpc-requests project to proxy method calls for you:

from jsonrpc_requests import Server

url = "http://public.coindaddy.io:4000/api/"
server = Server(url, auth=('rpc', '1234'))

result = server.get_running_info()
like image 104
Martijn Pieters Avatar answered Sep 24 '22 08:09

Martijn Pieters