具有可变线宽的Matplotlib图

时间:2013-10-15 20:55:23

标签: python matplotlib plot

是否可以在matplotlib中绘制具有可变线宽的线条?例如:

from pylab import *
x = [1, 2, 3, 4, 5]
y = [1, 2, 2, 0, 0]
width = [.5, 1, 1.5, .75, .75]

plot(x, y, linewidth=width)

这不起作用,因为 linewidth 需要标量。

注意:我知道* fill_between()*和* fill_betweenx()*。因为这些只能填充x或y方向,所以这些不适用于有斜线的情况。希望填充总是垂直于线。这就是寻求可变宽度线的原因。

4 个答案:

答案 0 :(得分:67)

使用LineCollections。沿this Matplotlib示例行的方法是

import numpy as np
from matplotlib.collections import LineCollection
import matplotlib.pyplot as plt
x = np.linspace(0,4*np.pi,10000)
y = np.cos(x)
lwidths=1+x[:-1]
points = np.array([x, y]).T.reshape(-1, 1, 2)
segments = np.concatenate([points[:-1], points[1:]], axis=1)
lc = LineCollection(segments, linewidths=lwidths,color='blue')
fig,a = plt.subplots()
a.add_collection(lc)
a.set_xlim(0,4*np.pi)
a.set_ylim(-1.1,1.1)
fig.show()

output

答案 1 :(得分:3)

Giulio Ghirardo的答案的另一种选择,它将分段中的线分开,您可以使用matplotlib的内置分散函数,通过使用圆来构造线:

from matplotlib import pyplot as plt
import numpy as np

x = np.linspace(0,10,10000)
y = 2 - 0.5*np.abs(x-4)
lwidths = (1+x)**2 # scatter 'o' marker size is specified by area not radius 
plt.scatter(x,y, s=lwidths, color='blue')
plt.xlim(0,9)
plt.ylim(0,2.1)
plt.show()

根据我的经验,我发现将线划分为两个部分存在两个问题:

  1. 由于某种原因,片段总是被非常细的白线划分。当使用非常大量的段时,这些线的颜色与段的颜色混合。因此,线条的颜色与预期颜色不同。

  2. 它不能很好地处理非常尖锐的不连续性。

答案 2 :(得分:0)

您可以分别绘制线条的每个线段,并使用单独的线宽,例如:

from pylab import *
x = [1, 2, 3, 4, 5]
y = [1, 2, 2, 0, 0]
width = [.5, 1, 1.5, .75, .75]

for i in range(len(x)-1):
    plot(x[i:i+2], y[i:i+2], linewidth=width[i])
show()

答案 3 :(得分:0)

gg349的答案效果很好,但将线条分成许多部分,这往往会造成糟糕的渲染。

这是另一个在宽度均匀时生成连续线的示例:

import numpy as np
import matplotlib.pyplot as plt

fig, ax = plt.subplots(1)
xs = np.cos(np.linspace(0, 8 * np.pi, 200)) * np.linspace(0, 1, 200)
ys = np.sin(np.linspace(0, 8 * np.pi, 200)) * np.linspace(0, 1, 200)
widths = np.round(np.linspace(1, 5, len(xs)))

def plot_widths(xs, ys, widths, ax=None, color='b', xlim=None, ylim=None,
                **kwargs):
    if not (len(xs) == len(ys) == len(widths)):
        raise ValueError('xs, ys, and widths must have identical lengths')
    fig = None
    if ax is None:
        fig, ax = plt.subplots(1)

    segmentx, segmenty = [xs[0]], [ys[0]]
    current_width = widths[0]
    for ii, (x, y, width) in enumerate(zip(xs, ys, widths)):
        segmentx.append(x)
        segmenty.append(y)
        if (width != current_width) or (ii == (len(xs) - 1)):
            ax.plot(segmentx, segmenty, linewidth=current_width, color=color,
                    **kwargs)
            segmentx, segmenty = [x], [y]
            current_width = width
    if xlim is None:
        xlim = [min(xs), max(xs)]
    if ylim is None:
        ylim = [min(ys), max(ys)]
    ax.set_xlim(xlim)
    ax.set_ylim(ylim)

    return ax if fig is None else fig

plot_widths(xs, ys, widths)
plt.show()