Convert ndarray from float64 to integer

前端 未结 3 634
感情败类
感情败类 2020-12-15 02:31

I\'ve got an ndarray in python with a dtype of float64. I\'d like to convert the array to be an array of integers. How should I do thi

相关标签:
3条回答
  • 2020-12-15 03:01

    There's also a really useful discussion about converting the array in place, In-place type conversion of a NumPy array. If you're concerned about copying your array (which is whatastype() does) definitely check out the link.

    0 讨论(0)
  • 2020-12-15 03:08

    While astype is probably the "best" option there are several other ways to convert it to an integer array. I'm using this arr in the following examples:

    >>> import numpy as np
    >>> arr = np.array([1,2,3,4], dtype=float)
    >>> arr
    array([ 1.,  2.,  3.,  4.])
    

    The int* functions from NumPy

    >>> np.int64(arr)
    array([1, 2, 3, 4])
    
    >>> np.int_(arr)
    array([1, 2, 3, 4])
    

    The NumPy *array functions themselves:

    >>> np.array(arr, dtype=int)
    array([1, 2, 3, 4])
    
    >>> np.asarray(arr, dtype=int)
    array([1, 2, 3, 4])
    
    >>> np.asanyarray(arr, dtype=int)
    array([1, 2, 3, 4])
    

    The astype method (that was already mentioned but for completeness sake):

    >>> arr.astype(int)
    array([1, 2, 3, 4])
    

    Note that passing int as dtype to astype or array will default to a default integer type that depends on your platform. For example on Windows it will be int32, on 64bit Linux with 64bit Python it's int64. If you need a specific integer type and want to avoid the platform "ambiguity" you should use the corresponding NumPy types like np.int32 or np.int64.

    0 讨论(0)
  • 2020-12-15 03:09

    Use .astype.

    >>> a = numpy.array([1, 2, 3, 4], dtype=numpy.float64)
    >>> a
    array([ 1.,  2.,  3.,  4.])
    >>> a.astype(numpy.int64)
    array([1, 2, 3, 4])
    

    See the documentation for more options.

    0 讨论(0)
提交回复
热议问题