ndarray
An ndarray is a (usually fixed-size) multidimensional container of items of the same type and size. The number of dimensions and items in an array is defined by its shape, which is a tuple of N non-negative integers that specify the sizes of each dimension. The type of items in the array is specified by a separate data-type object (dtype), one of which is associated with each ndarray.
shape
tuple
As with other container objects in Python, the contents of an ndarray can be accessed and modified by indexing or slicing the array (using, for example, N integers), and via the methods and attributes of the ndarray.
Different ndarrays can share the same data, so that changes made in one ndarray may be visible in another. That is, an ndarray can be a “view” to another ndarray, and the data it is referring to is taken care of by the “base” ndarray. ndarrays can also be views to memory owned by Python strings or objects implementing the buffer or array interfaces.
ndarrays
strings
buffer
Example
A 2-dimensional array of size 2 x 3, composed of 4-byte integer elements:
>>> x = np.array([[1, 2, 3], [4, 5, 6]], np.int32) >>> type(x) <class 'numpy.ndarray'> >>> x.shape (2, 3) >>> x.dtype dtype('int32')
The array can be indexed using Python container-like syntax:
>>> # The element of x in the *second* row, *third* column, namely, 6. >>> x[1, 2] 6
For example slicing can produce views of the array:
>>> y = x[:,1] >>> y array([2, 5]) >>> y[0] = 9 # this also changes the corresponding element in x >>> y array([9, 5]) >>> x array([[1, 9, 3], [4, 5, 6]])
New arrays can be constructed using the routines detailed in Array creation routines, and also by using the low-level ndarray constructor:
ndarray(shape[, dtype, buffer, offset, …])
An array object represents a multidimensional, homogeneous array of fixed-size items.
Arrays can be indexed using an extended Python slicing syntax, array[selection]. Similar syntax is also used for accessing fields in a structured data type.
array[selection]
See also
Array Indexing.
An instance of class ndarray consists of a contiguous one-dimensional segment of computer memory (owned by the array, or by some other object), combined with an indexing scheme that maps N integers into the location of an item in the block. The ranges in which the indices can vary is specified by the shape of the array. How many bytes each item takes and how the bytes are interpreted is defined by the data-type object associated with the array.
A segment of memory is inherently 1-dimensional, and there are many different schemes for arranging the items of an N-dimensional array in a 1-dimensional block. NumPy is flexible, and ndarray objects can accommodate any strided indexing scheme. In a strided scheme, the N-dimensional index corresponds to the offset (in bytes):
from the beginning of the memory block associated with the array. Here, are integers which specify the strides of the array. The column-major order (used, for example, in the Fortran language and in Matlab) and row-major order (used in C) schemes are just specific kinds of strided scheme, and correspond to memory that can be addressed by the strides:
strides
where = self.shape[j].
Both the C and Fortran orders are contiguous, i.e., single-segment, memory layouts, in which every part of the memory block can be accessed by some combination of the indices.
Note
Contiguous arrays and single-segment arrays are synonymous and are used interchangeably throughout the documentation.
While a C-style and Fortran-style contiguous array, which has the corresponding flags set, can be addressed with the above strides, the actual strides may be different. This can happen in two cases:
If self.shape[k] == 1 then for any legal index index[k] == 0. This means that in the formula for the offset and thus and the value of = self.strides[k] is arbitrary. If an array has no elements (self.size == 0) there is no legal index and the strides are never used. Any array with no elements may be considered C-style and Fortran-style contiguous.
If self.shape[k] == 1 then for any legal index index[k] == 0. This means that in the formula for the offset and thus and the value of = self.strides[k] is arbitrary.
self.shape[k] == 1
index[k] == 0
If an array has no elements (self.size == 0) there is no legal index and the strides are never used. Any array with no elements may be considered C-style and Fortran-style contiguous.
self.size == 0
Point 1. means that self and self.squeeze() always have the same contiguity and aligned flags value. This also means that even a high dimensional array could be C-style and Fortran-style contiguous at the same time.
self
self.squeeze()
aligned
An array is considered aligned if the memory offsets for all elements and the base offset itself is a multiple of self.itemsize. Understanding memory-alignment leads to better performance on most hardware.
Points (1) and (2) can currently be disabled by the compile time environmental variable NPY_RELAXED_STRIDES_CHECKING=0, which was the default before NumPy 1.10. No users should have to do this. NPY_RELAXED_STRIDES_DEBUG=1 can be used to help find errors when incorrectly relying on the strides in C-extension code (see below warning).
NPY_RELAXED_STRIDES_CHECKING=0
NPY_RELAXED_STRIDES_DEBUG=1
You can check whether this option was enabled when your NumPy was built by looking at the value of np.ones((10,1), order='C').flags.f_contiguous. If this is True, then your NumPy has relaxed strides checking enabled.
np.ones((10,1), order='C').flags.f_contiguous
True
Warning
It does not generally hold that self.strides[-1] == self.itemsize for C-style contiguous arrays or self.strides[0] == self.itemsize for Fortran-style contiguous arrays is true.
self.strides[-1] == self.itemsize
self.strides[0] == self.itemsize
Data in new ndarrays is in the row-major (C) order, unless otherwise specified, but, for example, basic array slicing often produces views in a different scheme.
Several algorithms in NumPy work on arbitrarily strided arrays. However, some algorithms require single-segment arrays. When an irregularly strided array is passed in to such algorithms, a copy is automatically made.
Array attributes reflect information that is intrinsic to the array itself. Generally, accessing an array through its attributes allows you to get and sometimes set intrinsic properties of the array without creating a new array. The exposed attributes are the core parts of an array and only some of them can be reset meaningfully without creating a new array. Information on each attribute is given below.
The following attributes contain information about the memory layout of the array:
ndarray.flags
Information about the memory layout of the array.
ndarray.shape
Tuple of array dimensions.
ndarray.strides
Tuple of bytes to step in each dimension when traversing an array.
ndarray.ndim
Number of array dimensions.
ndarray.data
Python buffer object pointing to the start of the array’s data.
ndarray.size
Number of elements in the array.
ndarray.itemsize
Length of one array element in bytes.
ndarray.nbytes
Total bytes consumed by the elements of the array.
ndarray.base
Base object if memory is from some other object.
Data type objects
The data type object associated with the array can be found in the dtype attribute:
dtype
ndarray.dtype
Data-type of the array’s elements.
ndarray.T
The transposed array.
ndarray.real
The real part of the array.
ndarray.imag
The imaginary part of the array.
ndarray.flat
A 1-D iterator over the array.
ndarray.ctypes
An object to simplify the interaction of the array with the ctypes module.
The Array Interface.
__array_interface__
Python-side of the array interface
__array_struct__
C-side of the array interface
ctypes
An ndarray object has many methods which operate on or with the array in some fashion, typically returning an array result. These methods are briefly explained below. (Each method’s docstring has a more complete description.)
For the following methods there are also corresponding functions in numpy: all, any, argmax, argmin, argpartition, argsort, choose, clip, compress, copy, cumprod, cumsum, diagonal, imag, max, mean, min, nonzero, partition, prod, ptp, put, ravel, real, repeat, reshape, round, searchsorted, sort, squeeze, std, sum, swapaxes, take, trace, transpose, var.
numpy
all
any
argmax
argmin
argpartition
argsort
choose
clip
compress
copy
cumprod
cumsum
diagonal
imag
max
mean
min
nonzero
partition
prod
ptp
put
ravel
real
repeat
reshape
round
searchsorted
sort
squeeze
std
sum
swapaxes
take
trace
transpose
var
ndarray.item(*args)
ndarray.item
Copy an element of an array to a standard Python scalar and return it.
ndarray.tolist()
ndarray.tolist
Return the array as an a.ndim-levels deep nested list of Python scalars.
a.ndim
ndarray.itemset(*args)
ndarray.itemset
Insert scalar into an array (scalar is cast to array’s dtype, if possible)
ndarray.tostring([order])
ndarray.tostring
A compatibility alias for tobytes, with exactly the same behavior.
ndarray.tobytes([order])
ndarray.tobytes
Construct Python bytes containing the raw data bytes in the array.
ndarray.tofile(fid[, sep, format])
ndarray.tofile
Write array to a file as text or binary (default).
ndarray.dump(file)
ndarray.dump
Dump a pickle of the array to the specified file.
ndarray.dumps()
ndarray.dumps
Returns the pickle of the array as a string.
ndarray.astype(dtype[, order, casting, …])
ndarray.astype
Copy of the array, cast to a specified type.
ndarray.byteswap([inplace])
ndarray.byteswap
Swap the bytes of the array elements
ndarray.copy([order])
ndarray.copy
Return a copy of the array.
ndarray.view([dtype][, type])
ndarray.view
New view of array with the same data.
ndarray.getfield(dtype[, offset])
ndarray.getfield
Returns a field of the given array as a certain type.
ndarray.setflags([write, align, uic])
ndarray.setflags
Set array flags WRITEABLE, ALIGNED, (WRITEBACKIFCOPY and UPDATEIFCOPY), respectively.
ndarray.fill(value)
ndarray.fill
Fill the array with a scalar value.
For reshape, resize, and transpose, the single tuple argument may be replaced with n integers which will be interpreted as an n-tuple.
n
ndarray.reshape(shape[, order])
ndarray.reshape
Returns an array containing the same data with a new shape.
ndarray.resize(new_shape[, refcheck])
ndarray.resize
Change shape and size of array in-place.
ndarray.transpose(*axes)
ndarray.transpose
Returns a view of the array with axes transposed.
ndarray.swapaxes(axis1, axis2)
ndarray.swapaxes
Return a view of the array with axis1 and axis2 interchanged.
ndarray.flatten([order])
ndarray.flatten
Return a copy of the array collapsed into one dimension.
ndarray.ravel([order])
ndarray.ravel
Return a flattened array.
ndarray.squeeze([axis])
ndarray.squeeze
Remove axes of length one from a.
For array methods that take an axis keyword, it defaults to None. If axis is None, then the array is treated as a 1-D array. Any other value for axis represents the dimension along which the operation should proceed.
ndarray.take(indices[, axis, out, mode])
ndarray.take
Return an array formed from the elements of a at the given indices.
ndarray.put(indices, values[, mode])
ndarray.put
Set a.flat[n] = values[n] for all n in indices.
a.flat[n] = values[n]
ndarray.repeat(repeats[, axis])
ndarray.repeat
Repeat elements of an array.
ndarray.choose(choices[, out, mode])
ndarray.choose
Use an index array to construct a new array from a set of choices.
ndarray.sort([axis, kind, order])
ndarray.sort
Sort an array in-place.
ndarray.argsort([axis, kind, order])
ndarray.argsort
Returns the indices that would sort this array.
ndarray.partition(kth[, axis, kind, order])
ndarray.partition
Rearranges the elements in the array in such a way that the value of the element in kth position is in the position it would be in a sorted array.
ndarray.argpartition(kth[, axis, kind, order])
ndarray.argpartition
Returns the indices that would partition this array.
ndarray.searchsorted(v[, side, sorter])
ndarray.searchsorted
Find indices where elements of v should be inserted in a to maintain order.
ndarray.nonzero()
ndarray.nonzero
Return the indices of the elements that are non-zero.
ndarray.compress(condition[, axis, out])
ndarray.compress
Return selected slices of this array along given axis.
ndarray.diagonal([offset, axis1, axis2])
ndarray.diagonal
Return specified diagonals.
Many of these methods take an argument named axis. In such cases,
If axis is None (the default), the array is treated as a 1-D array and the operation is performed over the entire array. This behavior is also the default if self is a 0-dimensional array or array scalar. (An array scalar is an instance of the types/classes float32, float64, etc., whereas a 0-dimensional array is an ndarray instance containing precisely one array scalar.)
If axis is an integer, then the operation is done over the given axis (for each 1-D subarray that can be created along the given axis).
Example of the axis argument
A 3-dimensional array of size 3 x 3 x 3, summed over each of its three axes
>>> x = np.arange(27).reshape((3,3,3)) >>> x array([[[ 0, 1, 2], [ 3, 4, 5], [ 6, 7, 8]], [[ 9, 10, 11], [12, 13, 14], [15, 16, 17]], [[18, 19, 20], [21, 22, 23], [24, 25, 26]]]) >>> x.sum(axis=0) array([[27, 30, 33], [36, 39, 42], [45, 48, 51]]) >>> # for sum, axis is the first keyword, so we may omit it, >>> # specifying only its value >>> x.sum(0), x.sum(1), x.sum(2) (array([[27, 30, 33], [36, 39, 42], [45, 48, 51]]), array([[ 9, 12, 15], [36, 39, 42], [63, 66, 69]]), array([[ 3, 12, 21], [30, 39, 48], [57, 66, 75]]))
The parameter dtype specifies the data type over which a reduction operation (like summing) should take place. The default reduce data type is the same as the data type of self. To avoid overflow, it can be useful to perform the reduction using a larger data type.
For several methods, an optional out argument can also be provided and the result will be placed into the output array given. The out argument must be an ndarray and have the same number of elements. It can have a different data type in which case casting will be performed.
ndarray.max([axis, out, keepdims, initial, …])
ndarray.max
Return the maximum along a given axis.
ndarray.argmax([axis, out])
ndarray.argmax
Return indices of the maximum values along the given axis.
ndarray.min([axis, out, keepdims, initial, …])
ndarray.min
Return the minimum along a given axis.
ndarray.argmin([axis, out])
ndarray.argmin
Return indices of the minimum values along the given axis.
ndarray.ptp([axis, out, keepdims])
ndarray.ptp
Peak to peak (maximum - minimum) value along a given axis.
ndarray.clip([min, max, out])
ndarray.clip
Return an array whose values are limited to [min, max].
[min, max]
ndarray.conj()
ndarray.conj
Complex-conjugate all elements.
ndarray.round([decimals, out])
ndarray.round
Return a with each element rounded to the given number of decimals.
ndarray.trace([offset, axis1, axis2, dtype, out])
ndarray.trace
Return the sum along diagonals of the array.
ndarray.sum([axis, dtype, out, keepdims, …])
ndarray.sum
Return the sum of the array elements over the given axis.
ndarray.cumsum([axis, dtype, out])
ndarray.cumsum
Return the cumulative sum of the elements along the given axis.
ndarray.mean([axis, dtype, out, keepdims, where])
ndarray.mean
Returns the average of the array elements along given axis.
ndarray.var([axis, dtype, out, ddof, …])
ndarray.var
Returns the variance of the array elements, along given axis.
ndarray.std([axis, dtype, out, ddof, …])
ndarray.std
Returns the standard deviation of the array elements along given axis.
ndarray.prod([axis, dtype, out, keepdims, …])
ndarray.prod
Return the product of the array elements over the given axis
ndarray.cumprod([axis, dtype, out])
ndarray.cumprod
Return the cumulative product of the elements along the given axis.
ndarray.all([axis, out, keepdims, where])
ndarray.all
Returns True if all elements evaluate to True.
ndarray.any([axis, out, keepdims, where])
ndarray.any
Returns True if any of the elements of a evaluate to True.
Arithmetic and comparison operations on ndarrays are defined as element-wise operations, and generally yield ndarray objects as results.
Each of the arithmetic operations (+, -, *, /, //, %, divmod(), ** or pow(), <<, >>, &, ^, |, ~) and the comparisons (==, <, >, <=, >=, !=) is equivalent to the corresponding universal function (or ufunc for short) in NumPy. For more information, see the section on Universal Functions.
+
-
*
/
//
%
divmod()
**
pow()
<<
>>
&
^
|
~
==
<
>
<=
>=
!=
Comparison operators:
ndarray.__lt__(value, /)
ndarray.__lt__
Return self<value.
ndarray.__le__(value, /)
ndarray.__le__
Return self<=value.
ndarray.__gt__(value, /)
ndarray.__gt__
Return self>value.
ndarray.__ge__(value, /)
ndarray.__ge__
Return self>=value.
ndarray.__eq__(value, /)
ndarray.__eq__
Return self==value.
ndarray.__ne__(value, /)
ndarray.__ne__
Return self!=value.
Truth value of an array (bool()):
bool()
ndarray.__bool__(/)
ndarray.__bool__
self != 0
Truth-value testing of an array invokes ndarray.__bool__, which raises an error if the number of elements in the array is larger than 1, because the truth value of such arrays is ambiguous. Use .any() and .all() instead to be clear about what is meant in such cases. (If the number of elements is 0, the array evaluates to False.)
.any()
.all()
False
Unary operations:
ndarray.__neg__(/)
ndarray.__neg__
-self
ndarray.__pos__(/)
ndarray.__pos__
+self
ndarray.__abs__(self)
ndarray.__abs__
ndarray.__invert__(/)
ndarray.__invert__
~self
Arithmetic:
ndarray.__add__(value, /)
ndarray.__add__
Return self+value.
ndarray.__sub__(value, /)
ndarray.__sub__
Return self-value.
ndarray.__mul__(value, /)
ndarray.__mul__
Return self*value.
ndarray.__truediv__(value, /)
ndarray.__truediv__
Return self/value.
ndarray.__floordiv__(value, /)
ndarray.__floordiv__
Return self//value.
ndarray.__mod__(value, /)
ndarray.__mod__
Return self%value.
ndarray.__divmod__(value, /)
ndarray.__divmod__
Return divmod(self, value).
ndarray.__pow__(value[, mod])
ndarray.__pow__
Return pow(self, value, mod).
ndarray.__lshift__(value, /)
ndarray.__lshift__
Return self<<value.
ndarray.__rshift__(value, /)
ndarray.__rshift__
Return self>>value.
ndarray.__and__(value, /)
ndarray.__and__
Return self&value.
ndarray.__or__(value, /)
ndarray.__or__
Return self|value.
ndarray.__xor__(value, /)
ndarray.__xor__
Return self^value.
Any third argument to pow is silently ignored, as the underlying ufunc takes only two arguments.
pow
ufunc
Because ndarray is a built-in type (written in C), the __r{op}__ special methods are not directly defined.
__r{op}__
The functions called to implement many arithmetic special methods for arrays can be modified using __array_ufunc__.
__array_ufunc__
Arithmetic, in-place:
ndarray.__iadd__(value, /)
ndarray.__iadd__
Return self+=value.
ndarray.__isub__(value, /)
ndarray.__isub__
Return self-=value.
ndarray.__imul__(value, /)
ndarray.__imul__
Return self*=value.
ndarray.__itruediv__(value, /)
ndarray.__itruediv__
Return self/=value.
ndarray.__ifloordiv__(value, /)
ndarray.__ifloordiv__
Return self//=value.
ndarray.__imod__(value, /)
ndarray.__imod__
Return self%=value.
ndarray.__ipow__(value, /)
ndarray.__ipow__
Return self**=value.
ndarray.__ilshift__(value, /)
ndarray.__ilshift__
Return self<<=value.
ndarray.__irshift__(value, /)
ndarray.__irshift__
Return self>>=value.
ndarray.__iand__(value, /)
ndarray.__iand__
Return self&=value.
ndarray.__ior__(value, /)
ndarray.__ior__
Return self|=value.
ndarray.__ixor__(value, /)
ndarray.__ixor__
Return self^=value.
In place operations will perform the calculation using the precision decided by the data type of the two operands, but will silently downcast the result (if necessary) so it can fit back into the array. Therefore, for mixed precision calculations, A {op}= B can be different than A = A {op} B. For example, suppose a = ones((3,3)). Then, a += 3j is different than a = a + 3j: while they both perform the same computation, a += 3 casts the result to fit back in a, whereas a = a + 3j re-binds the name a to the result.
A {op}= B
A = A {op} B
a = ones((3,3))
a += 3j
a = a + 3j
a += 3
a
Matrix Multiplication:
ndarray.__matmul__(value, /)
ndarray.__matmul__
Return self@value.
Matrix operators @ and @= were introduced in Python 3.5 following PEP465. NumPy 1.10.0 has a preliminary implementation of @ for testing purposes. Further documentation can be found in the matmul documentation.
@
@=
matmul
For standard library functions:
ndarray.__copy__()
ndarray.__copy__
Used if copy.copy is called on an array.
copy.copy
ndarray.__deepcopy__(memo, /)
ndarray.__deepcopy__
Used if copy.deepcopy is called on an array.
copy.deepcopy
ndarray.__reduce__()
ndarray.__reduce__
For pickling.
ndarray.__setstate__(state, /)
ndarray.__setstate__
For unpickling.
Basic customization:
ndarray.__new__(*args, **kwargs)
ndarray.__new__
Create and return a new object.
ndarray.__array__([dtype], /)
ndarray.__array__
Returns either a new reference to self if dtype is not given or a new array of provided data type if dtype is different from the current dtype of the array.
ndarray.__array_wrap__(obj)
ndarray.__array_wrap__
Container customization: (see Indexing)
ndarray.__len__(/)
ndarray.__len__
Return len(self).
ndarray.__getitem__(key, /)
ndarray.__getitem__
Return self[key].
ndarray.__setitem__(key, value, /)
ndarray.__setitem__
Set self[key] to value.
ndarray.__contains__(key, /)
ndarray.__contains__
Return key in self.
Conversion; the operations int(), float() and complex(). They work only on arrays that have one element in them and return the appropriate scalar.
int()
float()
complex()
ndarray.__int__(self)
ndarray.__int__
ndarray.__float__(self)
ndarray.__float__
ndarray.__complex__
String representations:
ndarray.__str__(/)
ndarray.__str__
Return str(self).
ndarray.__repr__(/)
ndarray.__repr__
Return repr(self).