-2

我有一个包含两列的数据框。机器 ID 和值。我将数据框按降序排序(首先是具有高值的机器)并绘制折线图。但是,它仍然显示 x 轴(MachineID 1 到 60,而不是先取最高值 MachineID。)

为了解决这个错误,将 machineID 列更改为字符串,但仍然无法首先获取具有 High 值的机器。

示例数据框:

MachineID   Value
    33     6.962754
    16     6.955913
    44     6.722355
    31     6.320854
    1      6.243701
    9      5.894093

我的代码:

import plotly.express as px
fig = px.line(data, x="MachineID", y="Values")
fig.show()

上述代码的输出:

在此处输入图像描述

所需输出:

价值高的机器优先,依此类推。

4

1 回答 1

1

如果要使用线图首先显示具有最高值的机器,则必须:

  • 按最高值对您的 df 进行排序
  • 并告诉 plotly使用机器 id 作为分类轴查看 x 轴fig.update_xaxes(type='category')

示例代码:

import pandas as pd
import plotly.express as px
    
data = {
    'MachineID': {0: 33, 1: 16, 2: 44, 3: 31, 4: 1, 5: 9},
    'Value': {0: 6.962754, 1: 6.955913, 2: 6.722355, 
              3: 6.320854, 4: 6.243701, 5: 5.894093},
}
    
df = pd.DataFrame(data)
  
# sort your df on highest value, descending  
df = df.sort_values(by='Value', ascending=False)
    
fig = px.line(df, x='MachineID', y='Value')

# set x-axis as categorical:
fig.update_xaxes(type='category')

结果图:

分类 x 轴线图,最高值在前

您可以在此处找到有关分类轴的更多信息:
https ://plotly.com/python/categorical-axes/

于 2021-01-19T11:19:43.027 回答