特定のケースでの最良の方法は、 2つの基準を1つの基準に変更することです。
dists[abs(dists - r - dr/2.) <= dr/2.]
それは、唯一のブール配列を作成し、私の意見では、それが言うので読みやすいですdist
内dr
かr
?(r
最初からではなく、関心のある領域の中心になるように再定義しますが、r = r + dr/2.
)しかし、それはあなたの質問には答えません。
あなたの質問への答え:基準に合わない要素を除外しようとしているだけなら、
実際には必要ありません。where
dists
dists[(dists >= r) & (dists <= r+dr)]
ので&
、あなたに要素ごとを与えますand
(括弧は必要です)。
または、where
何らかの理由で使用したい場合は、次のようにすることができます。
dists[(np.where((dists >= r) & (dists <= r + dr)))]
理由:
機能しない理由np.where
は、ブール配列ではなくインデックスのリストを返すためです。and
2つの数値のリストの間を取得しようとしていますが、当然、期待するTrue
/ False
値がありません。場合a
とb
両方ともTrue
値が、その後、a and b
戻りb
。のようなものを言う[0,1,2] and [2,3,4]
だけであなたに与えるでしょう[2,3,4]
。ここでそれは動作しています:
In [230]: dists = np.arange(0,10,.5)
In [231]: r = 5
In [232]: dr = 1
In [233]: np.where(dists >= r)
Out[233]: (array([10, 11, 12, 13, 14, 15, 16, 17, 18, 19]),)
In [234]: np.where(dists <= r+dr)
Out[234]: (array([ 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12]),)
In [235]: np.where(dists >= r) and np.where(dists <= r+dr)
Out[235]: (array([ 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12]),)
あなたが比較することを期待していたのは単にブール配列でした、例えば
In [236]: dists >= r
Out[236]:
array([False, False, False, False, False, False, False, False, False,
False, True, True, True, True, True, True, True, True,
True, True], dtype=bool)
In [237]: dists <= r + dr
Out[237]:
array([ True, True, True, True, True, True, True, True, True,
True, True, True, True, False, False, False, False, False,
False, False], dtype=bool)
In [238]: (dists >= r) & (dists <= r + dr)
Out[238]:
array([False, False, False, False, False, False, False, False, False,
False, True, True, True, False, False, False, False, False,
False, False], dtype=bool)
これnp.where
で、結合されたブール配列を呼び出すことができます。
In [239]: np.where((dists >= r) & (dists <= r + dr))
Out[239]: (array([10, 11, 12]),)
In [240]: dists[np.where((dists >= r) & (dists <= r + dr))]
Out[240]: array([ 5. , 5.5, 6. ])
または、ファンシーインデックスを使用して、ブール配列で元の配列にインデックスを付けるだけです
In [241]: dists[(dists >= r) & (dists <= r + dr)]
Out[241]: array([ 5. , 5.5, 6. ])
()
周りに置く必要が(ar>3)
あり(ar>6)
ますか?