我有一个如下所示的示例数据框。我想针对数据帧索引绘制每一列。
x1 = pd.DataFrame()
x1['x25'] = df['X'][0:45].reset_index(drop=True)
x1['x50'] = df['X'][90:135].reset_index(drop=True)
x1['x75'] = df['X'][180:225].reset_index(drop=True)
x1['x100'] = df['X'][270:315].reset_index(drop=True)
x1['x125'] = df['X'][360:405].reset_index(drop=True)
使用x1.head()
的输出如下所示。
x25 x50 x75 x100 x125
0 22732 22852 22997 23151 23253
1 22732 22853 22995 23153 23254
2 22733 22851 22997 23153 23254
3 22731 22851 22995 23150 23255
4 22730 22851 22997 23152 23254
我检查了每一列的输出,它们都是相等的。
print(len(x1.index), len(x1['x25']), len(x1['x50']), len(x1['x75']), len(x1['x100']), len(x1['x125']))
45 45 45 45 45 45
我正在尝试使用下面的命令进行绘制,但是我得到了错误消息ValueError:数组的长度必须相同
sns.lineplot( x1, x1.index, ['x25','x50','x75','x100','x125'])
有人可以让我知道我做错了吗。
答案 0 :(得分:1)
考虑多次调用lineplot
,并将诸如pandas系列之类的对象传递给命名参数:
sns.lineplot(x=x1.index, y=x1['x25'])
sns.lineplot(x=x1.index, y=x1['x50'])
sns.lineplot(x=x1.index, y=x1['x75'])
sns.lineplot(x=x1.index, y=x1['x100'])
sns.lineplot(x=x1.index, y=x1['x125'])
或在循环中
for i in ['x25','x50','x75','x100','x125']:
sns.lineplot(x=x1.index, y=x1[i])
但是,请考虑使用单个数据帧,因此考虑使用单个lineplot
调用,方法是将较宽的数据融化为long并将索引呈现为列。然后使用 hue 调用lineplot
以获取自动图例:
# CREATE NEW COLUMN NAMED index
x1 = x1.reset_index()
# MELT DATA
mdf = x1.melt(id_vars='index')
# PLOT LINE WITH data AND hue ARGUMENTS
sns.lineplot(x='index', y='value', data=mdf, hue='variable')
数据
df = pd.DataFrame({'X': np.random.uniform(2000, 5000, 500)})
x1 = pd.DataFrame({'x25': df['X'][0:45].reset_index(drop=True),
'x50': df['X'][90:135].reset_index(drop=True),
'x75': df['X'][180:225].reset_index(drop=True),
'x100': df['X'][270:315].reset_index(drop=True),
'x125': df['X'][360:405].reset_index(drop=True)})