json.load loads from a file-like object. You either want to use json.loads:
json.loads(data)
Or just use json.load on the request, which is a file-like object:
json.load(request)
Also, if you use the requests library, you can just do:
import requests
json = requests.get(url).json()
Answer from Blender on Stack Overflowconverting JSON to string in Python - Stack Overflow
Convert from string to json python.
Working with JSON in Python
How Do I Get Python to Recognize this JSON string?
Videos
json.dumps() is much more than just making a string out of a Python object, it would always produce a valid JSON string (assuming everything inside the object is serializable) following the Type Conversion Table.
For instance, if one of the values is None, the str() would produce an invalid JSON which cannot be loaded:
>>> data = {'jsonKey': None}
>>> str(data)
"{'jsonKey': None}"
>>> json.loads(str(data))
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/json/__init__.py", line 338, in loads
return _default_decoder.decode(s)
File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/json/decoder.py", line 366, in decode
obj, end = self.raw_decode(s, idx=_w(s, 0).end())
File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/json/decoder.py", line 382, in raw_decode
obj, end = self.scan_once(s, idx)
ValueError: Expecting property name: line 1 column 2 (char 1)
But the dumps() would convert None into null making a valid JSON string that can be loaded:
>>> import json
>>> data = {'jsonKey': None}
>>> json.dumps(data)
'{"jsonKey": null}'
>>> json.loads(json.dumps(data))
{u'jsonKey': None}
There are other differences. For instance, {'time': datetime.now()} cannot be serialized to JSON, but can be converted to string. You should use one of these tools depending on the purpose (i.e. will the result later be decoded).
Hello,
UPDATE:
The problem is that I need to change the convert the data from string type to JSON.
How I got to the respective string ?
I am writing out the data from a dict. (no, I cannot convert from dict to JSON due to the architecture of the code behind)
The dictionary has the following values in it:
('sid', 'something funny'), ('subtitle', 'Nothing yet'), ('date', 'Today'), ('weather': 'Hot')
Afterwards I do the following: (The data is required as a string)
for key in dicts:
data = data + key + ' : ' + result[key] + '\n'
Then I have to change from this
title: something funny
subtitle: Nothing yet
date: Today
weather: Hot
to this
{
'title': 'something funny',
'subtitle': 'Nothing yet',
'date': 'Today',
'weather': 'Hot',
}
So far I've tried some variation of the following (but with no luck):
json.dumps(data, separators=('\n', ': '), sort_keys=True)
Does anyone have an idea on how should I approach this?
Thanks in advance!