使用 NumPy 返回被除数和除数数组的余数
要返回逐元素的除法余数,请在 Python NumPy 中使用 **numpy.remainder()** 方法。这里,第一个参数是被除数数组。第二个参数是除数数组。计算与 floor_divide 函数互补的余数。它等效于 Python 模运算符“x1 % x2”,并且与除数 x2 的符号相同。等效于 np.remainder 的 MATLAB 函数是 mod。
out 是将结果存储到的位置。如果提供,则其形状必须是输入广播到的形状。如果没有提供或为 None,则返回一个新分配的数组。元组(仅可能作为关键字参数)的长度必须等于输出的数量。
步骤
首先,导入所需的库:
import numpy as np
创建一个数组。这是被除数数组:
arr = np.array([3, 9, 14, 22, 76, 81, 91])
显示数组:
print("Array...
", arr)
获取数组的类型:
print("
Our Array type...
", arr.dtype)
获取数组的维度:
print("
Our Array Dimension...
",arr.ndim)
获取数组的形状:
print("
Our Array Shape...
",arr.shape)
除数数组:
divisor = np.array([5, 7, 3, 2, 2, 7, 7])
要返回逐元素的除法余数,请使用 numpy.remainder() 方法。这里,第一个参数是被除数数组。第二个参数是除数数组:
print("
Result (remainder)...
",np.remainder(arr, divisor))
示例
import numpy as np # Create an array # This is the dividend array arr = np.array([3, 9, 14, 22, 76, 81, 91]) # Display the array print("Array...
", arr) # Get the type of the array print("
Our Array type...
", arr.dtype) # Get the dimensions of the Array print("
Our Array Dimension...
",arr.ndim) # Get the shape of the Array print("
Our Array Shape...
",arr.shape) # Divisor array divisor = np.array([5, 7, 3, 2, 2, 7, 7]) # To return the element-wise remainder of division, use the numpy.remainder() method in Python Numpy # Here, the 1st parameter is the Dividend array # The 2nd parameter is the Divisor array print("
Result (remainder)...
",np.remainder(arr, divisor))
输出
Array... [ 3 9 14 22 76 81 91] Our Array type... int64 Our Array Dimension... 1 Our Array Shape... (7,) Result (remainder)... [3 2 2 0 0 4 0]
广告