如何按组为散点图指定颜色?

2024-09-29 03:36:25 发布

您现在位置:Python中文网/ 问答频道 /正文

我试图在plotly中为数据框中的每个类指定颜色,以下是我的代码:

X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.33, random_state=42)

knn = KNeighborsClassifier(n_neighbors=7)

# fitting the model
knn.fit(X_train, y_train)

# predict the response
pred = knn.predict(X_test)

dfp = pd.DataFrame(X_test)
dfp.columns = ['SepalLengthCm', 'SepalWidthCm', 'PetalLengthCm', 'PetalWidthCm']
dfp["PClass"] = pred

pyo.init_notebook_mode()
data = [go.Scatter(x=dfp['SepalLengthCm'], y=dfp['SepalWidthCm'], 
                   text=dfp['PClass'],
                   mode='markers',
                   marker=dict(
                    color=dfp['PClass']))]

layout = go.Layout(title='Chart', hovermode='closest')
fig = go.Figure(data=data, layout=layout)

pyo.iplot(data)

下面是我的df的样子:

SepalLengthCm   SepalWidthCm    PetalLengthCm   PetalWidthCm    PClass
       6.1           2.8             4.7         1.2    Iris-versicolor
      5.7            3.8             1.7         0.3        Iris-setosa
      7.7             2.6        6.9         2.3    Iris-virginica

所以问题是它没有基于dfp['PClass']列指定颜色,并且绘图上的每个点都是相同的颜色:黑色。即使在悬停时,每个点都根据其类别正确标记。 知道它为什么不能正常工作吗


Tags: thetestgoirisdata颜色trainpredict
3条回答

在代码示例中,您试图使用color=dfp['PClass'])为分类组分配颜色。例如ggplotggplot(mtcars, aes(x=wt, y=mpg, shape=cyl, color=cyl, size=cyl))应用了这一逻辑,其中cyl是一个分类变量。您将在页面下方看到一个示例here

但对于plotly来说,这是行不通的color{}中的{}只接受类似于{a2}中带有{}的数值:

enter image description here

为了获得所需的结果,您必须使用多条记录道(如this example)构建绘图:

enter image description here

以下是使用图形对象的示例:

import numpy as np
import pandas as pd
import plotly.offline as pyo
import plotly.graph_objs as go

# Create some random data
np.random.seed(42)
random_x = np.random.randint(1, 101, 100)
random_y = np.random.randint(1, 101, 100)

# Create two groups for the data
group = []
for letter in range(0,50):
    group.append("A")

for letter in range(0, 50):
    group.append("B")

# Create a dictionary with the three fields to include in the dataframe
group = np.array(group)
data = {
    '1': random_x,
    '2': random_y,
    '3': group
}

# Creat the dataframe
df = pd.DataFrame(data)

# Find the different groups
groups = df['3'].unique()

# Create as many traces as different groups there are and save them in data list
data = []
for group in groups:
    df_group = df[df['3'] == group]
    trace = go.Scatter(x=df_group['1'], 
                        y=df_group['2'],
                        mode='markers',
                        name=group)
    data.append(trace)

# Layout of the plot
layout = go.Layout(title='Grouping')
fig = go.Figure(data=data, layout=layout)

pyo.plot(fig)

可以使用plotly express执行此操作

import plotly.express as px
fig = px.scatter(dfp, x='SepalLengthCm', y='SepalWidthCm', color='PClass')

相关问题 更多 >