あなたはいくつかの値(この場合はインデックス)のcartesian product を反復するitertools.product
を使用することができます。それは、それがnumpyの配列の場合は、反復処理したいしかし
import itertools
shape = [4,5,2,6]
for idx in itertools.product(*[range(s) for s in shape]):
value = dataset[idx]
print(idx, value)
# i would be "idx[0]", j "idx[1]" and so on...
はnp.ndenumerate
を使用する方が簡単かもしれない:
import numpy as np
arr = np.random.random([4,5,2,6])
for idx, value in np.ndenumerate(arr):
print(idx, value)
# i would be "idx[0]", j "idx[1]" and so on...
itertools.product(*[range(s) for s in shape])
が実際に行うことを明確にしてください。それでは、もっと詳しく説明します。
product
を意味
for i, j in itertools.product(range(10), range(8)):
# ^^^^^^^^---- the inner for loop
# ^^^^^^^^^-------------- the outer for loop
# do whatever
が独立したの数を減らすだけの手軽な方法です:
for i in range(10):
for j in range(8):
# do whatever
これもとproduct
を使って書くことができます。
は、たとえば、あなたは、このループを持っています for-loops等価です
# Create the "values" each for-loop iterates over
loopover = [range(s) for s in shape]
# Unpack the list using "*" operator because "product" needs them as
# different positional arguments:
prod = itertools.product(*loopover)
for idx in prod:
i_0, i_1, ..., i_n = idx # index is a tuple that can be unpacked if you know the number of values.
# The "..." has to be replaced with the variables in real code!
# do whatever
:
あなたはproduct
にfor
-loopsの可変数を変換したい場合は、基本的に2つのステップを必要とする
for i_1 in range(shape[0]):
for i_2 in range(shape[1]):
... # more loops
for i_n in range(shape[n]): # n is the length of the "shape" object
# do whatever
私は[再帰]を考える(HTTP ://www.python-course.eu/recursive_functions.php)ソリューションが最適なソリューションになります。 – Yonlif
[Pythonで多次元配列を反復する]の可能な複製(https://stackoverflow.com/questions/971678/iterating-through-a-multidimensional-array-in-python) –