特定のリスト インデックスが存在する場合に関数を実行するようにコーディングする必要があります。
これはtry ブロックの完璧な使い方です:
ar=[1,2,3]
try:
t=ar[5]
except IndexError:
print('sorry, no 5')
# Note: this only is a valid test in this context
# with absolute (ie, positive) index
# a relative index is only showing you that a value can be returned
# from that relative index from the end of the list...
ただし、定義により、Python リスト内の と の間にあるすべての項目が0
存在len(the_list)-1
します (つまり、 がわかっている場合は try ブロックは必要ありません0 <= index < len(the_list)
)。
0 と最後の要素の間のインデックスが必要な場合は、enumerateを使用できます。
names=['barney','fred','dino']
for i, name in enumerate(names):
print(i + ' ' + name)
if i in (3,4):
# do your thing with the index 'i' or value 'name' for each item...
ただし、定義された「インデックス」を探している場合は、間違った質問をしていると思います。おそらく、マッピングコンテナー (dict など) とシーケンスコンテナー (リストなど) の使用を検討する必要があります。次のようにコードを書き直すことができます。
def do_something(name):
print('some thing 1 done with ' + name)
def do_something_else(name):
print('something 2 done with ' + name)
def default(name):
print('nothing done with ' + name)
something_to_do={
3: do_something,
4: do_something_else
}
n = input ("Define number of actors: ")
count = 0
names = []
for count in range(n):
print("Define name for actor {}:".format(count+1))
name = raw_input ()
names.append(name)
for name in names:
try:
something_to_do[len(name)](name)
except KeyError:
default(name)
次のように実行します。
Define number of actors: 3
Define name for actor 1: bob
Define name for actor 2: tony
Define name for actor 3: alice
some thing 1 done with bob
something 2 done with tony
nothing done with alice
短いバージョンでは、try/except ではなく.getメソッドを使用することもできます。
>>> something_to_do.get(3, default)('bob')
some thing 1 done with bob
>>> something_to_do.get(22, default)('alice')
nothing done with alice