100 numpy questions Flashcards
How to import the numpy package under the name np
?
import numpy as np
How to print the numpy version and the configuration?
print(np.\_\_version\_\_)
and np.show_config()
How to create a null vector of size 10?
Z = np.zeros(10)
How to find the memory size of any array?
Z.size * Z.itemsize
(e.g., print(\"%d bytes\" % (Z.size * Z.itemsize))
)
How to get the documentation of the numpy add function from the command line?
%run python -c \"import numpy; numpy.info(numpy.add)\"
How to create a null vector of size 10 with the fifth value as 1?
Z = np.zeros(10); Z[4] = 1
How to create a vector with values ranging from 10 to 49?
Z = np.arange(10, 50)
How to reverse a vector (first element becomes last)?
Z = Z[::-1]
How to create a 3x3 matrix with values ranging from 0 to 8?
Z = np.arange(9).reshape(3, 3)
How to find indices of non-zero elements from [1,2,0,0,4,0]
?
nz = np.nonzero([1,2,0,0,4,0])
How to create a 3x3 identity matrix?
Z = np.eye(3)
How to create a 3x3x3 array with random values?
Z = np.random.random((3,3,3))
How to create a 10x10 array with random values and find the minimum and maximum values?
Z = np.random.random((10,10)); Zmin, Zmax = Z.min(), Z.max()
How to create a random vector of size 30 and find the mean value?
Z = np.random.random(30); m = Z.mean()
How to create a 2D array with 1 on the border and 0 inside?
Z = np.ones((10,10)); Z[1:-1,1:-1] = 0
How to add a border (filled with 0’s) around an existing array?
Z = np.pad(Z, pad_width=1, mode='constant', constant_values=0)
or use fancy indexing
What is the result of 0 * np.nan
?
nan
What is the result of np.nan == np.nan
?
False
What is the result of np.inf > np.nan
?
False
What is the result of np.nan - np.nan
?
nan
What is the result of np.nan in set([np.nan])
?
True
What is the result of 0.3 == 3 * 0.1
?
False
How to create a 5x5 matrix with values 1,2,3,4 just below the diagonal?
Z = np.diag(1+np.arange(4), k=-1)
How to create an 8x8 matrix and fill it with a checkerboard pattern?
Z = np.zeros((8,8), dtype=int); Z[1::2,::2] = 1; Z[::2,1::2] = 1
How to find the index (x,y,z) of the 100th element in a (6,7,8) shape array?
np.unravel_index(99, (6,7,8))