Building Dashboards with Dash and Plotly
Alex Scriven
Data Scientist
HTML: language for structuring websites
Dash uses dash html components (dash.html
) to interface between HTML and Python.
Two important HTML structures ('tags'):
Some HTML code with:
style
part - more on 'CSS' later!
<div>
<div style="background-color: red;
width:250; height:250;">
</div>
<div style="background-color: lightblue;
width:250; height:250;">
<h1>This box</h1>
<h2>Another Title</h2>
</div>
</div>
Our example
Take note:
The div tag can nest; lots of possibilities when structuring our web app.
Recreating HTML example with Dash
import dash
from dash import dcc, html
app = dash.Dash()
app.layout = html.Div(children=[
html.Div(style={'height':250, 'width':250, 'background-color':'red'}),
html.Div(children=[
html.H1("This box"),
html.H2("Another Title")],
style={'background-color':'lightblue'})
])
html.()
html.Div()
= <div>
html.H1()
= <h1>
children
argumentdcc.Graph()
components inside too!
import dash
from dash import html
app.layout = html.Div(
children=[
html.Div(
style={'background-color':'red',
'height':250, 'width':250}),
html.Div(
children=[
html.H1("This box"),
html.H2("Another Title")]
,style={'background-color':'lightblue',
'height':250, 'width':250})
Graphs can be added inside the children
list of a html.Div()
bar_fig_country = px.bar(ecom_sales, x='Total Sales ($)', y='Country', color='Country', color_discrete_map= {'United Kingdom':'lightblue', 'Germany':'orange', 'France':'darkblue', 'Australia':'green', 'Hong Kong':'red'}) app = dash.Dash()
app.layout = html.Div( children=[ html.H1("Sales Proportion by Country"), dcc.Graph(id='bar_graph', figure=bar_fig_country)])
Produces:
Let's add another html.Div()
. What happens?
app.layout = html.Div(
children=[
html.Div( style={
'width':150,'height':150,
'background-color':'lightblue'}),
html.H1("Sales Proportion by Country"),
dcc.Graph(id='bar_graph',
figure=bar_fig_country)])
Our new dashboard:
Building Dashboards with Dash and Plotly