绘制在不同的日期分类结果?

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

我有一个数据帧(my_data)如下:

       0      2017-01  2017-02  2017-03  2017-04
 0     S1        2        3        2        2
 1     S2        2        0        2        0
 2     S3        1        0        2        2
 3     S4        3        2        2        2
 4     …         …        …        …        …
 5     …         …        …        …        …
 6     S10       2        2        3        2

该数据帧是在不同的日期对每个样品(S1,...,S10)分类问题的结果。为了简化绘图我转换的混淆矩阵中不同数目如下:0意味着“TP”,1分表示“FP”,2指的是“TN”和3点“FN”。现在,我要绘制像下面这个图片的数据帧。

enter image description here

它需要提及的是,我已经问过这个问题,但没有人能帮助我。所以,现在我试图使这个问题更容易理解,我可以得到帮助。

python dataframe plot charts confusion-matrix
1个回答
1
投票

不幸的是,我不知道的方式来绘制一组用不同的标记数据,因此你将不得不分别绘制了所有数据。

您可以使用matplotlib绘制你的数据。我不知道你的数据的外观,但对于这些内容的文件:

2017-01,2017-02,2017-03,2017-04
2,3,2,2
2,0,2,0
1,0,2,2
3,2,2,2
2,2,3,2

您可以使用下面的代码,以获得您想要的情节:

import pandas as pd
import matplotlib.pyplot as plt
import numpy as np

fig, ax = plt.subplots()

df = pd.read_csv('dataframe.txt', parse_dates = True)
dates = list(df.columns.values) #get dates
number_of_dates = len(dates)
markers = ["o", "d", "^", "s"] #set marker shape
colors = ["g", "r", "m", "y"] #set marker color

# loop over the data in your dataframe
for i in range(df.shape[0]):
     # get a row of 1s, 2s, ... as you want your
     # data S1, S2, in one line on top of each other
    dataY = (i+1)*np.ones(number_of_dates)

    # get the data that will specify which marker to use
    data = df.loc[i]

    # plot dashed line first, setting it underneath markers with zorder
    plt.plot(dates, dataY, c="k", linewidth=1, dashes=[6, 2], zorder=1)

    # loop over each data point x is the date, y a constant number,
    # and data specifies which marker to use
    for _x, _y, _data in zip(dates, dataY, data):
        plt.scatter(_x, _y, marker=markers[_data], c=colors[_data], s=100, edgecolors="k", linewidths=0.5, zorder=2)

# label your ticks S1, S2, ...
ticklist = list(range(1,df.shape[0]+1))
l2 = [("S%s" % x) for x in ticklist]
ax.set_yticks(ticklist)
ax.set_yticklabels(l2)

labels = ["TP","TN","FP","FN"]
legend_elements = []
for l,c, m in zip(labels, colors, markers):
    legend_elements.append(Line2D([0], [0], marker=m, color="w", label=l, markerfacecolor=c, markeredgecolor = "k", markersize=10))

ax.legend(handles=legend_elements, loc='upper right')

plt.show()

绘制从this answer想法。

这导致在寻找这样一个情节:dynamic plot markers

编辑添加虚线和大纲为标志看起来更像例子有问题。

EDIT2增加了传奇。

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