我是数据可视化的新手,并试图使用SQL输出和Seaborn来绘制简单的时间序列图。我很难将从SQL查询中检索到的数据插入Seaborn。关于如何使用Seaborn可视化此数据框,您可以给我一些指导吗?

我的Python代码:

#!/usr/local/bin/python3.5

import cx_Oracle
import pandas as pd
from IPython.display import display, HTML
import matplotlib.pyplot as plt
import seaborn as sns

orcl = cx_Oracle.connect('sql_user/sql_pass//sql_database_server.com:9999/SQL_REPORT')

sql = '''
select DATETIME, FRUIT,
COUNTS
from FRUITS.HEALTHY_FRUIT
WHERE DATETIME > '01-OCT-2016'
AND FRUIT = 'APPLE'
'''

curs = orcl.cursor()

df = pd.read_sql(sql, orcl)
display(df)

sns.kdeplot(df)
plt.show()


数据框(df)输出:

    DATETIME  FRUIT  COUNTS
0 2016-10-02  APPLE  1.065757e+06
1 2016-10-03  APPLE  1.064369e+06
2 2016-10-04  APPLE  1.067552e+06
3 2016-10-05  APPLE  1.068010e+06
4 2016-10-06  APPLE  1.067118e+06
5 2016-10-07  APPLE  1.064925e+06
6 2016-10-08  APPLE  1.066576e+06
7 2016-10-09  APPLE  1.065982e+06
8 2016-10-10  APPLE  1.072131e+06
9 2016-10-11  APPLE  1.076429e+06


当我尝试运行plt.show()时,出现以下错误:

TypeError: cannot astype a datetimelike from [datetime64[ns]] to [float64]

最佳答案

代替sns.kdeplot尝试以下操作:

# make time the index (this will help with plot ticks)
df.set_index('DATETIME', inplace=True)

# make figure and axis objects
fig, ax = sns.plt.subplots(1, 1, figsize=(6,4))
df.plot(y='COUNTS', ax=ax, color='red', alpha=.6)
fig.savefig('test.pdf')
plt.show()


如果要制作折线图,函数kdeplot()不是您想要的。它的确形成了一条直线,但是该直线旨在近似变量的分布,而不是显示变量如何随时间变化。到目前为止,制作线条图的最简单方法是从熊猫df.plot()中获取。如果要使用seaborn的样式选项,则可以使用sns.plt.subplots创建轴对象(我该怎么做)。您也可以像this question中一样使用sns.set_style()

关于python - Python用Seaborn绘制Pandas SQL数据框,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40010317/

10-11 04:37