NumPy Part 2 (Python)
NumPy Part 2 (Python)
NumPy supports a much greater variety of numerical types than Python does. The following
table shows different scalar data types defined in NumPy.
bool_
1
Boolean (True or False) stored as a byte
int_
2
Default integer type (same as C long; normally either int64 or int32)
intc
3
Identical to C int (normally int32 or int64)
intp
4
Integer used for indexing (same as C ssize_t; normally either int32 or int64)
int8
5
Byte (-128 to 127)
int16
6
Integer (-32768 to 32767)
int32
7
Integer (-2147483648 to 2147483647)
int64
8
Integer (-9223372036854775808 to 9223372036854775807)
uint8
9
Unsigned integer (0 to 255)
uint16
10
Unsigned integer (0 to 65535)
uint32
11
Unsigned integer (0 to 4294967295)
uint64
12
Unsigned integer (0 to 18446744073709551615)
float_
13
Shorthand for float64
float16
14
Half precision float: sign bit, 5 bits exponent, 10 bits mantissa
float32
15
Single precision float: sign bit, 8 bits exponent, 23 bits mantissa
float64
16
Double precision float: sign bit, 11 bits exponent, 52 bits mantissa
complex_
17
Shorthand for complex128
complex64
18
Complex number, represented by two 32-bit floats (real and imaginary components)
complex128
19
Complex number, represented by two 64-bit floats (real and imaginary components)
NumPy numerical types are instances of dtype (data-type) objects, each having unique
characteristics. The dtypes are available as np.bool_, np.float32, etc.
A data type object describes interpretation of fixed block of memory corresponding to an array,
depending on the following aspects −
The byte order is decided by prefixing '<' or '>' to data type. '<' means that encoding is little-
endian (least significant is stored in smallest address). '>' means that encoding is big-endian
(most significant byte is stored in smallest address).
Example 1
int32
Example 2
dt = np.dtype('i4')
print dt
int32
Example 3
>i4
The following examples show the use of structured data type. Here, the field name and the
corresponding scalar data type is to be declared.
Example 4
# first create structured data type
import numpy as np
dt = np.dtype([('age',np.int8)])
print dt
[('age', 'i1')]
Example 5
dt = np.dtype([('age',np.int8)])
a = np.array([(10,),(20,),(30,)], dtype = dt)
print a
Example 6
dt = np.dtype([('age',np.int8)])
a = np.array([(10,),(20,),(30,)], dtype = dt)
print a['age']
[10 20 30]
Example 7
The following examples define a structured data type called student with a string field 'name', an
integer field 'age' and a float field 'marks'. This dtype is applied to ndarray object.
import numpy as np
student = np.dtype([('name','S20'), ('age', 'i1'), ('marks', 'f4')])
print student
import numpy as np
Each built-in data type has a character code that uniquely identifies it.
'b' − boolean
'i' − (signed) integer
'u' − unsigned integer
'f' − floating-point
'c' − complex-floating point
'm' − timedelta
'M' − datetime
'O' − (Python) objects
'S', 'a' − (byte-)string
'U' − Unicode
'V' − raw data (void)