So, I have this very simplified Dash app example. Code is below:
JavaScript
x
45
45
1
import pandas as pd
2
import dash
3
import dash_html_components as html
4
import dash_core_components as dcc
5
import plotly.express as px
6
from dash.dependencies import Input, Output
7
8
data = {'Fruits': ['apple', 'orange', 'banana'], 'Number': [10, 15, 7]}
9
df = pd.DataFrame(data, columns=['Fruits', 'Number'])
10
fruits_options = df['Fruits']
11
12
app = dash.Dash(__name__)
13
14
app.layout = html.Div(children=[
15
html.H1(children='Fruits Bar Chart'),
16
html.Div([
17
dcc.Dropdown(
18
id='dropdown',
19
options=[{'label': i, 'value': i} for i in fruits_options],
20
value='All Fruits',
21
multi=True
22
),
23
html.Div(dcc.Graph(id='graph')),
24
]),
25
])
26
27
28
@app.callback(
29
Output(component_id='graph', component_property='figure'),
30
Input(component_id='dropdown', component_property='value')
31
)
32
def update_graph(fruits):
33
if 'All Fruits' in fruits:
34
dff = df.copy()
35
else:
36
dff = df[df['Fruits'].isin(fruits)]
37
38
figure = px.bar(dff, x=dff['Fruits'], y=dff['Number'])
39
40
return figure
41
42
43
if __name__ == '__main__':
44
app.run_server(debug=True)
45
User can select multiple options and they will appear on the chart but when the user chose to clear all
(x on the right side) it shows this error:
JavaScript
1
2
1
ValueError: Cannot accept list of column references or list of columns for both `x` and `y`.
2
Does anyone have a suggestion on how to fix this? Also, If possible I would like to return to the initial state of the chart when clear all is selected.
Thanks in advance.
Advertisement
Answer
The remove the error, you need to handle the case where fruits
is an empty list. It could be as simple as replacing the
JavaScript
1
2
1
'All Fruits' in fruits
2
condition by
JavaScript
1
2
1
not fruits or 'All Fruits' in fruits
2
Since not fruits
evaluates to True
when the fruits
variable is an empty list and your initial state was 'All Fruits'
, this simple change should yield the desired outcome.