How To Plot Line (polygonal Chain) With Numpy/scipy/matplotlib With Minimal Smoothing
Solution 1:
For that type of graph, you want monotonic interpolation. The PchipInterpolator
class (which you can refer to by its shorter alias pchip
) in scipy.interpolate can be used:
import numpy as np
from scipy.interpolate import pchip
import matplotlib.pyplot as plt
# Data to be interpolated.
x = np.arange(10.0)
y = np.array([5.0, 10.0, 20.0, 15.0, 13.0, 22.0, 20.0, 15.0, 12.0, 16.0])
# Create the interpolator.
interp = pchip(x, y)
# Dense x for the smooth curve.
xx = np.linspace(0, 9.0, 101)
# Plot it all.
plt.plot(xx, interp(xx))
plt.plot(x, y, 'bo')
plt.ylim(0, 25)
plt.grid(True)
plt.show()
Result:
Solution 2:
The problem is not a display problem. It is an interpolation problem. You are interpolating using spline functions. Picking the right interpolation method is very much depending on the kind of data you have. You cannont expect to have an interpolation function which will behave right in every circumstances (the interpolation have no way to know that your function is increasing).
Solution 3:
You should either look at
scipy.interpolate.LSQUnivariateSpline and play with k parameter (degree of the spline)
or scipy.interpolate.UnivariateSpline and play with k and s parameter.
Solution 4:
It is important to understand that the interpolation is not just a line for visualization. It is a mathematical model representing how you think the system behaves (the system which generates the data that you measured). Different types of interpolations represent different assumptions about the system.
So, if you know that your system is such that a variable can only increase, you should fit an appropriate model (i.e. use the appropriate interpolation). Looking at your data, it looks like a 2nd degree polynomial or an exponential function might fit well. A Loess (local regression) fit will also work. You can use either tailored functions like numpy.polyfit(), or generic curve fitting with scipy.optimize.curve_fit(). If you have further knowledge about the system, you should use it to select which model to fit.
Post a Comment for "How To Plot Line (polygonal Chain) With Numpy/scipy/matplotlib With Minimal Smoothing"