Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to replace values in a numpy array based on another column?

Let say i have the following:

import numpy as np

data = np.array([
     [1,2,3],
     [1,2,3],
     [1,2,3],
     [4,5,6],         
     ])

How would I go about changing values in column 3 based on values in column 2? For instance, If column 3 == 3, column 2 = 9.

[[1,9,3],
 [1,9,3],
 [1,9,3],
 [4,5,6]]

I've looked at np.any(), but I can't figure out how to alter the array in place.

like image 274
Barbarossa Avatar asked Dec 03 '13 15:12

Barbarossa


1 Answers

You can use Numpy's slicing and indexing to achieve this. Take all the rows where the third column is 3, and change the second column of each of those rows to 9:

>>> data[data[:, 2] == 3, 1] = 9
>>> data
array([[1, 9, 3],
       [1, 9, 3],
       [1, 9, 3],
       [4, 5, 6]])
like image 172
mdml Avatar answered Oct 23 '22 11:10

mdml