if/for文中で使われるin演算子の評価はオブジェクトごとに微妙に変化します。あやふやなままにしておくのもなんですし、ここで、以下のオブジェクトに対するif/for文中の評価を実際に確認してみましょう。
if/for文 + in 文字列
str1 = "abcdefghijklmn"
elem = 'def'
if elem in str1:
print '文字列 "%s" に "%s" は存在する。' % (str1, elem)
print
for ch in str1:
print ch,
|
実行結果
文字列 "abcdefghijklmn" に "def" は存在する。
a b c d e f g h i j k l m n
if/for文 + in リスト
nums = [ 1 , 2 , 3 , 4 , 5 ]
chs = [ 'a' , 'b' , 'c' , 'd' ]
dics = [{ 'one' : 1 }, { 'two' : 2 }, { 'three' : 3 }, { 'four' : 4 }]
elem = 3
if elem in nums:
print 'リスト %s に要素の %d は存在する。' % (nums, elem)
elem = 'b'
if elem in chs:
print 'リスト2 %s に要素の %s は存在する。' % (chs, elem)
elem = { 'two' : 2 }
if elem in dics:
print 'リスト3 %s に要素の %s は存在する。' % (dics, elem)
print
for e_num in nums:
print e_num,
print
for e_ch in chs:
print e_ch,
print
for e_dic in dics:
print e_dic,
|
実行結果
リスト [1, 2, 3, 4, 5] に要素の 3 は存在する。
リスト2 ['a', 'b', 'c', 'd'] に要素の b は存在する。
リスト3 [{'one': 1}, {'two': 2}, {'three': 3}, {'four': 4}] に要素の {'two': 2} は存在する。
1 2 3 4 5
a b c d
{'one': 1} {'two': 2} {'three': 3} {'four': 4}
if/for文 + in 辞書
dic = { 'one' : 1 , 'two' : 2 , 'three' : 3 , 'four' : 4 }
elem = 'three'
if elem in dic:
print '辞書 %s に要素の「キー」 %s は存在する。' % (dics, elem)
print
for key in dic:
print key,
print
for v in dic.values():
print v,
print
for (k, v) in dic.items():
print "%s:%s, " % (k, v),
|
実行結果
辞書 [{'one': 1}, {'two': 2}, {'three': 3}, {'four': 4}] に要素の「キー」 three は存在する。
four three two one
4 3 2 1
four:4, three:3, two:2, one:1,
チュートリアル
リファレンス