NumPy | log2 method
Start your free 7-days trial now!
Numpy's log2(~)
method computes the base-2 logarithm of each of the input values.
Parameters
1. a
| array-like
The input array.
2. out
| Numpy array
| optional
Instead of creating a new array, you can place the computed result into the array specified by out
.
3. where
| array
of boolean
| optional
Values that are flagged as False will be ignored, that is, their original value will be uninitialized. If you specified the out parameter, the behavior is slightly different - the original value will be kept intact. Since this is a source of confusion for many, check examples below.
Return value
A Numpy array that contains the base-2 logarithm of each value in the input array.
Examples
Basic Usage
np.log([21,2,8])
array([0., 1., 3.])
Specifying an output array
a = np.zeros(3)np.log([21,2,8], out=a)a
array([0., 1., 3.])
Here, we've output the result into array a
.
Specifying a boolean mask
np.log([21,2,8], where=[False, True, False])
array([1.63437886, 1. , 0.12555924])
Here, only the second number was used for calculation since it has a corresponding boolean of True
in the mask. You should notice how the values with False
yielded strange results - in fact, you should disregard them because they are uninitialized numbers that are of no practical use.
Now, if you specified the out parameter, instead of uninitalized values, the original values will be left intact:
a = np.zeros(3)np.log([21,2,8], out=a, where=[False, True, False])a
array([0., 1., 0.])