如何从csv绘制散景多行数据帧

问题描述 投票:1回答:2

我有一个.csv读入的数据帧,格式如下:

version, 2x8x8, 2x8x10, 2x8x12, ...
v1.0.0,  10.2,  9.2,    8.2,
v1.0.1,  11.3,  10.4,   10.2,
v1.0.2,  9.5,   9.3,    9.1,  
...

我想将此数据框绘制为散景中的多线图,其中每列是其自己的线。 x轴是版本号,y值是除了标题之外的列的内容。

我已经尝试过引用bokeh docs本身但我找不到最好的方法来提取列作为散景期望的“列表列表”。

# produces empty plot
f = figure(title='Example title')
versions = list(df['version'])
values = [list(df['2x8x8']), list(df['2x8x10']), ...]
f.multi_line(xs=versions, ys=values)

当我尝试使用ColumnDataSource中指定的替代bokeh docs方法时,该绘图将获取所有y值并为每个值创建一个新行。

# produces plot seen below
df = pd.read_csv(my.csv)
data_source = ColumnDataSource(df)
f = figure(title="Example")
f.line(x='version', y='2x8x8', source=data_source, line_width=2, legend='2x8x8')
f.line(x='version', y='2x8x10', source=data_source, line_width=2, legend='2x8x10')
f.xaxis.axis_label = 'version'

任何帮助是极大的赞赏!

enter image description here

python pandas plot bokeh
2个回答
1
投票

我想这就是你想要的(在Bokeh v1.0.4上测试):

import pandas as pd
import numpy as np
from bokeh.palettes import Spectral11
from bokeh.plotting import figure, show

toy_df = pd.DataFrame(data = {'version': ['v1.0.0', 'v1.0.1', 'v1.0.2', 'v1.0.3'],
                              '2x8x8': [10.2, 11.3, 9.5, 10.9],
                              '2x8x10': [9.2, 10.4, 9.3, 9.9],
                              '2x8x12': [8.2, 10.2, 9.1, 11.1]}, columns = ('version', '2x8x8' , '2x8x10', '2x8x12'))

numlines = len(toy_df.columns)
mypalette = Spectral11[0:numlines]

p = figure(width = 500, height = 300, x_range = toy_df['version'])
p.multi_line(xs = [toy_df['version'].values] * numlines,
             ys = [toy_df[name].values for name in toy_df],
             line_color = mypalette,
             line_width = 5)
show(p)

结果:

enter image description here


1
投票

另一个版本包括标签。这是一种使用明确的ColumnDataSource而不是pandas DataFrame的不同方法。

请注意,如果您想使用p.legend.click_policy = "hide"来切换可见性或将单独的行静音,那么您应该使用line字形而不是multi_line。此代码适用于Bokeh v1.0.4

from bokeh.palettes import Spectral11
from bokeh.plotting import figure, show
from bokeh.models import Legend, ColumnDataSource

versions = ['v1.0.0', 'v1.0.1', 'v1.0.2', 'v1.0.3']
data = {'version': [versions] * 3,
        'values': [[10.2, 11.3, 9.5, 10.9],
                   [9.2, 10.4, 9.3, 9.9],
                   [8.2, 10.2, 9.1, 11.1]],
        'columns': ['2x8x8', '2x8x10', '2x8x12'],
        'color': Spectral11[0:3] }

source = ColumnDataSource(data)

p = figure(width = 500, height = 300, x_range = versions)
p.multi_line(xs = 'version',
             ys = 'values',
             color = 'color',
             legend = 'columns',
             line_width = 5,
             source = source)
show(p)

结果:

enter image description here

© www.soinside.com 2019 - 2024. All rights reserved.