I would like to sum up non-zero elements of an array (1-d) but do it separately for positive and negative integers (they can only be ones and two) and also display zeros where they are.
An example of an array:
array = np.array([0, 0, 0, -1, -1, 0, 1, 2, 1, 1, 0, -1, 0, 1, 1, -1, -2])
Output:
array([0, 0, 0, -2, 0, 5, 0, -1, 0, 2, -3])
I think my problem is that I have no idea how to separate the sequences of positive and negative values in array.
Here's one way -
Or bring that
np.r_[0
part into boolean construction part -Explanation
We are starting off the idea to split the array into "islands" based on sign changes or when we encounter a sequence of 0s, in which case we are looking to split each element as a separate one. By splitting, think of it as list of lists, if that makes it easier to understand. Now, the game is how do we get those splits. We need indices that signifies the start, stop indices of those islands. As said earlier, there are three cases, sign changes from
+
to-
or vice versa or sequence of 0s.Hence, that structure of boolean masks are used to give those indices with one-off slices to detect sign changes from
+
to-
and vice versa with a combination ofnp.diff(m1) | np.diff(m2)
. Final one ofm0[:-1]
is for sequence of0s
. These indices are then fed tonp.add.reduceat
to get intervaled summations.Sample runs -