将python操作转换为numpy

时间:2016-10-03 14:43:56

标签: python python-2.7 numpy coordinates

我写了一个基本代码,它接受两个点坐标,导出通过它和垂直线的线的方程,然后输出两个点,它们是同一垂直线的边。我的目标是做一些像this answer的图片所示的内容,但没有所有第三方软件包,没有GIS。

现在,谈论性能,我认为我的代码可以大大受益于numpy包,特别是考虑到在具有很多(甚至数百万)点对坐标的循环中使用这种计算。由于我没有那么多地使用numpy,所以任何人都可以:

  1. (确认调整代码以使用numpy可以提高性能)
  2. 建议我应该调整代码(例如,一些好的提示开始)?
  3. 以下是代码,希望有人会发现它很有用(matplotlib只是为了可视化结果)。

    import matplotlib.pyplot as plt
    
    # calculate y from X coord, slope and intercept
    def calculate_y(x, m, q):
        y = m * x + q
        return y
    
    # the two point coordinates
    point_A = [5,7] # First considered point
    point_B = [4,10] # Second considered point
    
    # calculate the slope between the point pair
    m = (point_A[1] - point_B[1]) / (point_A[0] - point_B[0])
    
    # calculate slope and intercept of the perpendicular (using the second original point)
    m_perp = -(1/m)
    q_perp = point_B[1] - m_perp * point_B[0]
    ##print "Perpendicular Line is y = {m}x + {q}".format(m=m_perp,q=q_perp)
    
    # calculate corods of the perpendicular line
    distance_factor = 1 #distance from central point
    min_X = point_B[0] - distance_factor # left-side X
    min_Y = calculate_y(min_X, m_perp, q_perp) # left-side Y
    
    max_X = point_B[0] + distance_factor # right-side X
    max_Y = calculate_y(max_X, m_perp, q_perp) # right-side Y
    
    perp_A = (min_X, min_Y)
    perp_B = (max_X, max_Y)
    
    x_coord, y_coord = zip(*[point_A, point_B])
    x_perp_coord, y_perp_coord = zip(*[perp_A, perp_B])
    
    plt.scatter(x_coord, y_coord)
    plt.scatter(x_perp_coord, y_perp_coord)
    plt.show()
    

1 个答案:

答案 0 :(得分:1)

1)是的,numpy会增加很多性能。不是在python中进行循环,而是使用numpy的矢量化在C中进行循环。

2)想法:

import matplotlib.pyplot as plt
import numpy as np

# get random coords
npts = 10
distance_factor = 0.05
points = (np.sort(np.random.random(2*npts)).reshape((npts,2)) \
         + np.random.random((npts,2))/npts).T
points_x = points[0]  # vector of the chain of x coords
points_y = points[1]  # vector of the chain of y coords
plt.plot(points_x, points_y, 'k-o')
plt.gca().set_aspect('equal')
points_x_center = (points_x[1:] + points_x[:-1])*0.5
points_y_center = (points_y[1:] + points_y[:-1])*0.5
plt.plot(points_x_center, points_y_center, 'bo')
ang = np.arctan2(np.diff(points_y), np.diff(points_x)) + np.pi*0.5
min_X = points_x_center + distance_factor*np.cos(ang)
min_Y = points_y_center + distance_factor*np.sin(ang)
max_X = points_x_center - distance_factor*np.cos(ang)
max_Y = points_y_center - distance_factor*np.sin(ang)
plt.plot(np.vstack((min_X,max_X)), np.vstack((min_Y,max_Y)), 'r-')
plt.plot(np.vstack((min_X,max_X)).T, np.vstack((min_Y,max_Y)).T, 'r-', lw=2)