web-dev-qa-db-ja.com

pythonのjsonを文字列に変換する

最初は質問を明確に説明しませんでした。 Pythonでjsonを文字列に変換するときに、str()およびjson.dumps()を使用するようにしてください。

>>> data = {'jsonKey': 'jsonValue',"title": "hello world"}
>>> print json.dumps(data)
{"jsonKey": "jsonValue", "title": "hello world"}
>>> print str(data)
{'jsonKey': 'jsonValue', 'title': 'hello world'}
>>> json.dumps(data)
'{"jsonKey": "jsonValue", "title": "hello world"}'
>>> str(data)
"{'jsonKey': 'jsonValue', 'title': 'hello world'}"

私の質問は:

>>> data = {'jsonKey': 'jsonValue',"title": "hello world'"}
>>> str(data)
'{\'jsonKey\': \'jsonValue\', \'title\': "hello world\'"}'
>>> json.dumps(data)
'{"jsonKey": "jsonValue", "title": "hello world\'"}'
>>> 

予想される出力:"{'jsonKey': 'jsonValue','title': 'hello world''}"

>>> data = {'jsonKey': 'jsonValue',"title": "hello world""}
  File "<stdin>", line 1
    data = {'jsonKey': 'jsonValue',"title": "hello world""}
                                                          ^
SyntaxError: EOL while scanning string literal
>>> data = {'jsonKey': 'jsonValue',"title": "hello world\""}
>>> json.dumps(data)
'{"jsonKey": "jsonValue", "title": "hello world\\""}'
>>> str(data)
'{\'jsonKey\': \'jsonValue\', \'title\': \'hello world"\'}'

予想される出力:"{'jsonKey': 'jsonValue','title': 'hello world\"'}"

出力文字列をjson(dict)に再度変更する必要はありません。

これを行う方法?

49
BAE

json.dumps() はPythonオブジェクトから文字列を作成するだけではなく、常にvalidを生成します JSON string(オブジェクト内のすべてがシリアル化可能であると仮定)- Type Conversion Table の後に続きます。

たとえば、値の1つがNoneの場合、str()はロードできない無効なJSONを生成します。

>>> 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)

しかし、dumps()Nonenullに変換し、ロード可能な有効なJSON文字列を作成します。

>>> import json
>>> data = {'jsonKey': None}
>>> json.dumps(data)
'{"jsonKey": null}'
>>> json.loads(json.dumps(data))
{u'jsonKey': None}
88
alecxe

他にも違いがあります。たとえば、{'time': datetime.now()}はJSONにシリアル化できませんが、文字列に変換できます。これらのツールのいずれかを目的に応じて使用する必要があります(つまり、結果は後でデコードされます)。

1
Eugene Primako