辞書に項目(キー、値)があるかどうかをチェックするためのスマートなPythonic方法はありますか?
a={'a':1,'b':2,'c':3}
b={'a':1}
c={'a':2}
b in a:
--> True
c in a:
--> False
and
の短絡プロパティを使用します。このように、左手が偽の場合、値の確認中にKeyError
を取得しません。
>>> a={'a':1,'b':2,'c':3}
>>> key,value = 'c',3 # Key and value present
>>> key in a and value == a[key]
True
>>> key,value = 'b',3 # value absent
>>> key in a and value == a[key]
False
>>> key,value = 'z',3 # Key absent
>>> key in a and value == a[key]
False
2.xではなく、この2.7にタグを付けているため、タプルがdictのviewitems
にあるかどうかを確認できます。
(key, value) in d.viewitems()
内部では、これは基本的にkey in d and d[key] == value
。
In Python 3、viewitems
はitems
だけですが、items
in Python 2!これは、リストを作成して線形検索を行い、O(n)時間とスペースを取り、迅速に行うべきことを行いますO(1) =チェック。
コメントを回答に変換する:
使用 - dict.get
組み込みのメソッドとして既に提供されているメソッド(そして、私は最もPythonicだと思います)
>>> dict = {'Name': 'Anakin', 'Age': 27}
>>> dict.get('Age')
27
>>> dict.get('Gender', 'None')
'None'
>>>
ドキュメントによると-
get(key、default)-keyが辞書にある場合はkeyの値を返し、それ以外の場合はdefaultを返します。デフォルトが指定されていない場合は、デフォルトでNoneに設定されるため、このメソッドはKeyErrorを発生させません。
>>> a = {'a': 1, 'b': 2, 'c': 3}
>>> b = {'a': 1}
>>> c = {'a': 2}
最初に、Python2で機能する方法を示しますおよび Python3
>>> all(k in a and a[k] == b[k] for k in b)
True
>>> all(k in a and a[k] == c[k] for k in c)
False
Python3では、使用することもできます
>>> b.items() <= a.items()
True
>>> c.items() <= a.items()
False
Python2の場合、同等のものは
>>> b.viewitems() <= a.viewitems()
True
>>> c.viewitems() <= a.viewitems()
False
キーのタプル、値を辞書の.items()
に対してチェックできます。
test = {'a': 1, 'b': 2}
print(('a', 1) in test.items())
>>> True
python 3.xを使用if key in dict
サンプルコードを見る
#!/usr/bin/python
a={'a':1,'b':2,'c':3}
b={'a':1}
c={'a':2}
mylist = [a, b, c]
for obj in mylist:
if 'b' in obj:
print(obj['b'])
Output: 2
通常、.get
を使用することが、キーと値のペアが存在するかどうかを確認する最良の方法です。
if my_dict.get('some_key'):
# Do something
キーが1つありますが、キーは存在するが偽物である場合、テストに失敗します。これはめったにないことを覚えておいてください。今、逆はより頻繁な問題です。それはin
を使用してキーの存在をテストしています。 csvファイルを読み込むときに、この問題を頻繁に発見しました。
例
# csv looks something like this:
a,b
1,1
1,
# now the code
import csv
with open('path/to/file', 'r') as fh:
reader = csv.DictReader(fh) # reader is basically a list of dicts
for row_d in reader:
if 'b' in row_d:
# On the second iteration of this loop, b maps to the empty string but
# passes this condition statement, most of the time you won't want
# this. Using .get would be better for most things here.
get
を使用:
# this doesn't work if `None` is a possible value
# but you can use a different sentinal value in that case
a.get('a') == 1
Try/exceptの使用:
# more verbose than using `get`, but more foolproof also
a = {'a':1,'b':2,'c':3}
try:
has_item = a['a'] == 1
except KeyError:
has_item = False
print(has_item)
Python3のitems
およびPython 2.7のviewitems
を提案する他の回答は読みやすく、より慣用的ですが、この回答の提案は両方のPythonバージョンで機能します互換性のあるコードであり、一定時間で実行されます。あなたの毒を選んでください。
a.get('a') == 1
=> True
a.get('a') == 2
=> False
None
が有効なアイテムの場合:
{'x': None}.get('x', object()) is None