我试图在点之间的网格中进行插值。我做了一些研究并找到了一些解决方案,但所有这些解决方案都给我带来了奇怪的结果。我尝试了Cosinus和Cubic插值,但是整个网格在其中获得微小波浪而不是光滑。
我试过这个
mu2 = mu*mu;
a0 = y3 - y2 - y0 + y1;
a1 = y0 - y1 - a0;
a2 = y2 - y0;
a3 = y1;
return(a0*mu*mu2+a1*mu2+a2*mu+a3);
从这里开始:http://paulbourke.net/miscellaneous/interpolation/
我得到了我需要的所有要点,而且一切都应该有效,但事实并非如此。我花了很多时间调试它,而且我发现只有一个问题就是它似乎mu(插值中0.0到1.0的常规t)从P1开始时应该是0.0,但是1.0时它是P3,它应该在P2(点P0,P1,P2,P3,其中插值应该发生在P1和P2之间)
如果还有其他更简单的方法如何在两点之间进行插值,请告诉我。我不想做bezier曲线或类似控制点的任何东西。我只有两点,我可以在每一侧使用一个点,如上例所示。
感谢您的帮助 路加
答案 0 :(得分:1)
似乎Catmull-Rom样条曲线适用于您的数据。
作为在VB.NET中实现它的一个例子:
Module Module1
''' <summary>
''' A class for a 2-D point and operations on it.
''' </summary>
Class PointD
Property X As Double
Property Y As Double
Public Shared Operator +(p1 As PointD, p2 As PointD) As PointD
Return New PointD(p1.X + p2.X, p1.Y + p2.Y)
End Operator
Public Shared Operator -(p As PointD) As PointD
Return New PointD(-p.X, -p.Y)
End Operator
Public Shared Operator -(p1 As PointD, p2 As PointD) As PointD
Return New PointD(p1.X - p2.X, p1.Y - p2.Y)
End Operator
Public Shared Operator *(a As Double, p As PointD) As PointD
Return New PointD(a * p.X, a * p.Y)
End Operator
Public Shared Operator *(p As PointD, a As Double) As PointD
Return New PointD(a * p.X, a * p.Y)
End Operator
'TODO: (Optional) Add methods for magnitude, cross product and dot product.
Public Sub New()
' empty contructor
End Sub
Public Sub New(x As Double, y As Double)
Me.X = x
Me.Y = y
End Sub
Public Overrides Function ToString() As String
' use the N3 format string for tidiness in this example
Return $"({X:N3}, {Y:N3})"
End Function
End Class
''' <summary>
''' Ordinary Catmull-Rom interpolation.
''' </summary>
''' <param name="t">Vary from 0.0 to 1.0 to get an interpolated point between data points p1 and p2.</param>
''' <param name="p0">The first control point.</param>
''' <param name="p1">The first data point.</param>
''' <param name="p2">The second data point.</param>
''' <param name="p3">The second control point.</param>
''' <returns>The interpolated point.</returns>
Function CatmullRomInterpolate(t As Double, p0 As PointD, p1 As PointD, p2 As PointD, p3 As PointD) As PointD
' this is the regular Catmull-Rom spline
' other ways of treating it can be found at:
' https://stackoverflow.com/questions/9489736/catmull-rom-curve-with-no-cusps-And-no-self-intersections
Return 0.5 * ((2 * p1) +
t * (p2 - p0) +
Math.Pow(t, 2) * (2 * p0 - 5 * p1 + 4 * p2 - p3) +
Math.Pow(t, 3) * (3 * (p1 - p2) + p3 - p0))
End Function
Sub Main()
' some sample data which will produce a symmetrical wave shape...
Dim p0 As New PointD(-1, 1)
Dim p1 As New PointD(0, 0)
Dim p2 As New PointD(1, 0)
Dim p3 As New PointD(2, -1)
For t = 0.0 To 1.0 Step 0.1
Console.WriteLine(CatmullRomInterpolate(t, p0, p1, p2, p3))
Next
Console.ReadLine()
End Sub
End Module
根据您的需要,您可能会发现Catmull-rom curve with no cusps and no self-intersections有用。