Reputation: 11833
plotly.express is very convenient to produce nice interactive plots. The code below generates a line chart colored by country. Now what I need is to add points to the plot. Does anyone know how I can add points to the line chart?
import plotly.express as px
gapminder = px.data.gapminder().query("continent=='Oceania'")
fig = px.line(gapminder, x="year", y="lifeExp", color='country')
fig.show()
Upvotes: 26
Views: 34480
Reputation: 61184
As of version 5.2.1
you can use markers=True
in:
px.line(df, x='year', y='lifeExp', color='country', markers=True)
Use fig.update_traces(mode='markers+lines')
Plot:
Code:
import plotly.express as px
gapminder = px.data.gapminder().query("continent=='Oceania'")
fig = px.line(gapminder, x="year", y="lifeExp", color='country')
fig.update_traces(mode='markers+lines')
fig.show()
Upvotes: 44
Reputation: 379
As of Plotly version 5.2.1 this can now be achieved using the markers
argument of px.line
. I.e.
import plotly.express as px
gapminder = px.data.gapminder().query("continent=='Oceania'")
fig = px.line(gapminder, x="year", y="lifeExp", color='country', markers=True)
fig.show()
Upvotes: 1