キーが存在するかどうかを確認し、Pythonを使用してJSON配列を反復します


130

以下のようなFacebook投稿からのJSONデータの束があります。

{"from": {"id": "8", "name": "Mary Pinter"}, "message": "How ARE you?", "comments": {"count": 0}, "updated_time": "2012-05-01", "created_time": "2012-05-01", "to": {"data": [{"id": "1543", "name": "Honey Pinter"}]}, "type": "status", "id": "id_7"}

JSONデータは半構造化されており、すべてが同じではありません。以下は私のコードです:

import json 

str = '{"from": {"id": "8", "name": "Mary Pinter"}, "message": "How ARE you?", "comments": {"count": 0}, "updated_time": "2012-05-01", "created_time": "2012-05-01", "to": {"data": [{"id": "1543", "name": "Honey Pinter"}]}, "type": "status", "id": "id_7"}'
data = json.loads(str)

post_id = data['id']
post_type = data['type']
print(post_id)
print(post_type)

created_time = data['created_time']
updated_time = data['updated_time']
print(created_time)
print(updated_time)

if data.get('application'):
    app_id = data['application'].get('id', 0)
    print(app_id)
else:
    print('null')

#if data.get('to'):
#... This is the part I am not sure how to do
# Since it is in the form "to": {"data":[{"id":...}]}

コードでto_idを1543として出力したい場合は、「null」を出力します

これを行う方法がわかりません。

回答:


162
import json

jsonData = """{"from": {"id": "8", "name": "Mary Pinter"}, "message": "How ARE you?", "comments": {"count": 0}, "updated_time": "2012-05-01", "created_time": "2012-05-01", "to": {"data": [{"id": "1543", "name": "Honey Pinter"}]}, "type": "status", "id": "id_7"}"""

def getTargetIds(jsonData):
    data = json.loads(jsonData)
    if 'to' not in data:
        raise ValueError("No target in given data")
    if 'data' not in data['to']:
        raise ValueError("No data for target")

    for dest in data['to']['data']:
        if 'id' not in dest:
            continue
        targetId = dest['id']
        print("to_id:", targetId)

出力:

In [9]: getTargetIds(s)
to_id: 1543

6
なぜこの明示的なinチェックが行われ、raise欠落しているのか?チェックせずにアクセスするだけで、まったく同じ動作が得られます(のKeyError代わりにを使用する場合を除くValueError)。
abarnert 14

100

キーが存在するかどうかを確認するだけの場合

h = {'a': 1}
'b' in h # returns False

キーの値があるかどうかを確認したい場合

h.get('b') # returns None

実際の値がない場合はデフォルト値を返します

h.get('b', 'Default value')

{'a':1、 'b':null}の場合、bに期待されるように「デフォルト値」ではなく「null」を返します
MikeL

16

属性検証のロジックを変更する必要があるときはいつでも1か所にあり、コードがフォロワーにとって読みやすくなるように、そのようなことのためのヘルパーユーティリティメソッドを作成することをお勧めします。

たとえば、ヘルパーメソッド(またはJsonUtils静的メソッドを持つクラス)を作成しますjson_utils.py

def get_attribute(data, attribute, default_value):
    return data.get(attribute) or default_value

プロジェクトで使用します。

from json_utils import get_attribute

def my_cool_iteration_func(data):

    data_to = get_attribute(data, 'to', None)
    if not data_to:
        return

    data_to_data = get_attribute(data_to, 'data', [])
    for item in data_to_data:
        print('The id is: %s' % get_attribute(item, 'id', 'null'))

重要な注意点:

data.get(attribute) or default_value単純にではなく使用している理由がありますdata.get(attribute, default_value)

{'my_key': None}.get('my_key', 'nothing') # returns None
{'my_key': None}.get('my_key') or 'nothing' # returns 'nothing'

私のアプリケーションでは、値「null」の属性を取得することは、属性をまったく取得しないことと同じです。使用方法が異なる場合は、これを変更する必要があります。


4
jsonData = """{"from": {"id": "8", "name": "Mary Pinter"}, "message": "How ARE you?", "comments": {"count": 0}, "updated_time": "2012-05-01", "created_time": "2012-05-01", "to": {"data": [{"id": "1543", "name": "Honey Pinter"}, {"name": "Joe Schmoe"}]}, "type": "status", "id": "id_7"}"""

def getTargetIds(jsonData):
    data = json.loads(jsonData)
    for dest in data['to']['data']:
        print("to_id:", dest.get('id', 'null'))

それを試してみてください:

>>> getTargetIds(jsonData)
to_id: 1543
to_id: null

または、印刷するのではなく、IDのない値をスキップする場合'null'

def getTargetIds(jsonData):
    data = json.loads(jsonData)
    for dest in data['to']['data']:
        if 'id' in to_id:
            print("to_id:", dest['id'])

そう:

>>> getTargetIds(jsonData)
to_id: 1543

もちろん、実際には、print各IDを使用するのではなく、IDを保存して何かを実行する必要がありますが、それは別の問題です。



4

私はこの目的のために小さな関数を書きました。自由に転用して、

def is_json_key_present(json, key):
    try:
        buf = json[key]
    except KeyError:
        return False

    return True
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.