使用 Python 获取以度为单位的角数组的三角正切值
三角正切等价于元素级上的 np.sin(x)/np.cos(x)。要获取以度为单位的角数组的三角正切值,请在 Python Numpy 中使用 numpy.tan() 方法。该方法返回第一个参数 x 的每个元素的正切值。第一个参数 x 是以弧度表示的角度(2pi 表示 360 度)。这里,它是一个角数组。
第二个和第三个参数是可选的。第二个参数是一个 ndarray,结果存储到其中。如果提供,它必须具有输入广播到的形状。如果未提供或为 None,则返回一个新分配的数组。元组(仅作为关键字参数可能)的长度必须等于输出的数量。
第三个参数是条件广播到输入上。在条件为 True 的位置,out 数组将设置为 ufunc 结果。在其他地方,out 数组将保留其原始值。请注意,如果通过默认的 out=None 创建了一个未初始化的 out 数组,则其中条件为 False 的位置将保持未初始化。
步骤
首先,导入所需的库 -
import numpy as np
要查找 tan 0、tan 30、tan 45、tan 60、tan 90、tan 180、tan -180 的角数组 -
arr = np.array((0., 30., 45., 60., 90., 180., -180.))
显示我们的数组 -
print("Array...\n",arr)
获取数据类型 -
print("\nArray datatype...\n",arr.dtype)
获取数组的维度 -
print("\nArray Dimensions...\n",arr.ndim)
获取数组的元素数量 -
print("\nNumber of elements in the Array...\n",arr.size)
要查找以度为单位的角数组的三角正切值,请在 Numpy 中使用 numpy.tan() 方法 -
print("\nResult...",np.tan(arr * np.pi / 180. ))
示例
import numpy as np # Trigonometric tangent is equivalent to np.sin(x)/np.cos(x) elementwise. # To get the Trigonometric tangent of an array of angles given in degrees, use the numpy.tan() method in Python Numpy print("The Trigonometric tangent of an array of angles...") # Array of angles # finding tan 0, tan 30, tan 45, tan 60, tan 90, tan 180, tan -180. arr = np.array((0., 30., 45., 60., 90., 180., -180.)) # Display the array print("Array...\n", arr) # Get the type of the array print("\nOur Array type...\n", arr.dtype) # Get the dimensions of the Array print("\nOur Array Dimensions...\n",arr.ndim) # Get the number of elements in the Array print("\nNumber of elements...\n", arr.size) # To find the trigonometric tangent of an array of angles given in degrees, use the numpy.tan() method in Numpy print("\nResult...",np.tan(arr * np.pi / 180. ))
输出
The Trigonometric tangent of an array of angles... Array... [ 0. 30. 45. 60. 90. 180. -180.] Our Array type... float64 Our Array Dimensions... 1 Number of elements... 7 Result... [ 0.00000000e+00 5.77350269e-01 1.00000000e+00 1.73205081e+00 1.63312394e+16 -1.22464680e-16 1.22464680e-16]
广告