python 两点间满足两点航向的光滑曲线的计算公式/方法

jogvjijk  于 2024-01-05  发布在  Python
关注(0)|答案(1)|浏览(143)

x1c 0d1x的数据
如图所示,需要计算光滑曲线的公式或方法。红线是求解后将看到终点的线。
我将感谢你的帮助/讨论。
我需要数学公式,可能是如何解决它使用scipy python包。

g0czyy6m

g0czyy6m1#

实际上,如果使用三次贝塞尔曲线,您将获得更大的灵活性。
这是第一个问题:

  1. import math
  2. import numpy as np
  3. import matplotlib.pyplot as plt
  4. #-----------------------------
  5. def length( vector ): return np.linalg.norm( vector ) # length of a vector
  6. def normalise( vector ): return vector / length(vector) # normalise a vector (numpy array)
  7. #-----------------------------
  8. class Bezier:
  9. '''class for Cubic Bezier curve'''
  10. def __init__( self, q0, q1, q2, q3 ):
  11. self.p0 = np.array( q0 )
  12. self.p1 = np.array( q1 )
  13. self.p2 = np.array( q2 )
  14. self.p3 = np.array( q3 )
  15. def pt( self, t ):
  16. return ( 1.0 - t ) ** 3 * self.p0 + 3.0 * t * ( 1.0 - t ) ** 2 * self.p1 + 3.0 * t ** 2 * ( 1.0 - t ) * self.p2 + t ** 3 * self.p3
  17. def curve( self, n ):
  18. crv = []
  19. for t in np.linspace( 0.0, 1.0, n ):
  20. crv.append( self.pt( t ) )
  21. return crv
  22. #-----------------------------
  23. def drawBezier( x1, y1, heading1, x2, y2, heading2, n ):
  24. '''Turns two points plus headings into cubic Bezier control points [ P0, P1, P2, P3 ] by adding intermediate control points'''
  25. result = []
  26. rad1, rad2 = heading1 * math.pi / 180, heading2 * math.pi / 180
  27. d1 = np.array( [ np.sin( rad1 ), np.cos( rad1 ) ] ) # direction vector at point 1
  28. d2 = np.array( [ np.sin( rad2 ), np.cos( rad2 ) ] )
  29. p0 = np.array( ( x1, y1 ) ) # start point of Bezier curve
  30. p3 = np.array( ( x2, y2 ) ) # end point of Bezier curve
  31. p1 = p0 + d1 * length( p3 - p0 ) / 2.0 # use direction at P0 to get P1
  32. p2 = p3 - d2 * length( p3 - p0 ) / 2.0 # use direction at p3 to get P2
  33. arc = Bezier( p0, p1, p2, p3 ) # define a cubic Bezier object
  34. x = []; y = []
  35. for pt in arc.curve( n ):
  36. x.append( pt[0] )
  37. y.append( pt[1] )
  38. plt.plot( x, y )
  39. #-----------------------------
  40. x1, y1, heading1 = 0.0, 0.0, 0.0
  41. x2, y2, heading2 = 1.0, 1.0, 90.0
  42. drawBezier( x1, y1, heading1, x2, y2, heading2, 100 )
  43. plt.plot( [ x1, x2 ], [ y1, y2 ], 'o' ) # plot original support points
  44. plt.show()

字符串


的数据
三次Bezier的优点是,您还可以无缝处理两条方向线不相交的情况。例如

  1. x2, y2, heading2 = 1.0, 1.0, 0.0


与输出


展开查看全部

相关问题