
How to host a Plotly Dash app on AWS ECS
Creating the infrastructure using AWS Cloud Development Kit (CDK) in Python
cdk init app --language python
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
from aws_cdk import (
Stack,
aws_ecr as _ecr, RemovalPolicy
)
from constructs import Construct
class EcrStack(Stack):
def __init__(self, scope: Construct, id: str, **kwargs) -> None:
super().__init__(scope, id, **kwargs)
plotly_dash_repository = _ecr.Repository(self, "PlotlyDash",
repository_name="plotly-dash",
removal_policy=RemovalPolicy.DESTROY,
image_tag_mutability=_ecr.TagMutability.IMMUTABLE,
)
self._output_props = {
'plotly_dash_repository': plotly_dash_repository
}
def outputs(self):
return self._output_props
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
from aws_cdk import (
Stack,
aws_ec2 as _ec2
)
from constructs import Construct
class VpcStack(Stack):
def __init__(self, scope: Construct, id: str, **kwargs) -> None:
super().__init__(scope, id, **kwargs)
vpc = _ec2.Vpc(self, "VpcPlotlyDash",
vpc_name="VpcPlotlyDash",
max_azs=2
)
self._output_props = {
'vpc': vpc
}
def outputs(self):
return self._output_props
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
from aws_cdk import (
Stack,
aws_ecs as _ecs
)
from constructs import Construct
class ClusterStack(Stack):
def __init__(self, scope: Construct, id: str, props, **kwargs) -> None:
super().__init__(scope, id, **kwargs)
cluster = _ecs.Cluster(self, "ClusterPlotlyDash",
cluster_name="ClusterPlotlyDash",
container_insights=True,
vpc=props['vpc']
)
self._output_props = {
'cluster': cluster
}
def outputs(self):
return self._output_props
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
from aws_cdk import (
Stack,
aws_elasticloadbalancingv2 as _elbv2
)
from constructs import Construct
class AlbStack(Stack):
def __init__(self, scope: Construct, id: str, props, **kwargs) -> None:
super().__init__(scope, id, **kwargs)
alb = _elbv2.ApplicationLoadBalancer(self, 'Alb',
vpc=props['vpc'],
internet_facing=True,
load_balancer_name='AlbPlotlyDash',
)
self._output_props = {
'alb': alb
}
def outputs(self):
return self._output_props
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
import aws_cdk as _cdk
from aws_cdk import (
Stack,
aws_s3 as _s3,
)
from constructs import Construct
class S3Stack(Stack):
def __init__(self, scope: Construct, id: str, **kwargs) -> None:
super().__init__(scope, id, **kwargs)
bucket = _s3.Bucket(self, "PlotlyDashBucket",
removal_policy=_cdk.RemovalPolicy.DESTROY)
self._output_props = {
'bucket': bucket
}
def outputs(self):
return self._output_props
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
import aws_cdk as _cdk
from aws_cdk import (
Stack,
aws_ecs as _ecs,
aws_elasticloadbalancingv2 as _elbv2,
aws_ec2 as _ec2,
aws_logs as _logs,
)
from constructs import Construct
class DashAppService(Stack):
def __init__(self, scope: Construct, id: str, props, **kwargs) -> None:
super().__init__(scope, id, **kwargs)
task_definition = _ecs.FargateTaskDefinition(self, "TaskDefinition",
cpu=512,
memory_limit_mib=4096,
family="plotly_dash_app"
)
props['bucket'].grant_read(task_definition.task_role)
task_definition.add_container("PlotlyDashContainer",
image=_ecs.ContainerImage.from_ecr_repository(props['plotly_dash_repository'],
"1.0.0"),
container_name="plotlyDashApp",
logging=_ecs.LogDrivers.aws_logs(
stream_prefix="PlotlyDash",
log_retention=_logs.RetentionDays.ONE_MONTH,
),
port_mappings=[_ecs.PortMapping(container_port=8050,
protocol=_ecs.Protocol.TCP,
)],
environment={
"BUCKET_NAME": props['bucket'].bucket_name
}
)
service = _ecs.FargateService(self, "PlotlyDashService",
service_name="PlotlyDashService",
task_definition=task_definition,
cluster=props['cluster'],
desired_count=2,
assign_public_ip=False,
)
props['plotly_dash_repository'].grant_pull(service.task_definition.task_role)
service.connections.security_groups[0].add_ingress_rule(
_ec2.Peer.ipv4(props['vpc'].vpc_cidr_block), _ec2.Port.tcp(8050))
alb_listener = props['alb'].add_listener("PlotlyDashListener",
port=8050,
protocol=_elbv2.ApplicationProtocol.HTTP,
open=True,
)
alb_listener.add_targets("PlotlyDashServiceAlbTarget",
target_group_name="PlotlyDashServiceAlbTarget",
port=8050,
protocol=_elbv2.ApplicationProtocol.HTTP,
stickiness_cookie_duration=_cdk.Duration.minutes(10),
targets=[service],
deregistration_delay=_cdk.Duration.seconds(30),
health_check={
"path": "/health",
"interval": _cdk.Duration.seconds(30),
"timeout": _cdk.Duration.seconds(10),
"port": "8050",
"enabled": True,
}
)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
#!/usr/bin/env python3
import os
import aws_cdk as cdk
from plotly_dash_ecs.alb_stack import AlbStack
from plotly_dash_ecs.cluster_stack import ClusterStack
from plotly_dash_ecs.dash_app_service import DashAppService
from plotly_dash_ecs.ecr_stack import EcrStack
from plotly_dash_ecs.s3_stack import S3Stack
from plotly_dash_ecs.vpc_stack import VpcStack
app = cdk.App()
environment = cdk.Environment(account='<your AWS account ID>', region='<the desired AWS region>')
tagsInfra = {
"cost": "PlotlyDashInfra",
"team": "SiecolaCode"
}
tagsPlotlyDashApp = {
"cost": "PlotlyDashApp",
"team": "SiecolaCode"
}
ecr_stack = EcrStack(app, "Ecr",
env=environment,
tags=tagsInfra
)
vpc_stack = VpcStack(app, "Vpc",
env=environment,
tags=tagsInfra
)
cluster_stack = ClusterStack(app, "Cluster",
env=environment,
tags=tagsInfra,
props=vpc_stack.outputs
)
cluster_stack.add_dependency(vpc_stack)
alb_stack = AlbStack(app, "ALB",
env=environment,
tags=tagsInfra,
props=vpc_stack.outputs
)
alb_stack.add_dependency(vpc_stack)
s3_stack = S3Stack(app, "Bucket",
env=environment,
tags=tagsInfra
)
dash_app_service_props = {}
dash_app_service_props.update(ecr_stack.outputs)
dash_app_service_props.update(vpc_stack.outputs)
dash_app_service_props.update(cluster_stack.outputs)
dash_app_service_props.update(alb_stack.outputs)
dash_app_service_props.update(s3_stack.outputs)
dash_app_service_stack = DashAppService(app, "DashAppService",
env=environment,
tags=tagsPlotlyDashApp,
props=dash_app_service_props)
dash_app_service_stack.add_dependency(ecr_stack)
dash_app_service_stack.add_dependency(vpc_stack)
dash_app_service_stack.add_dependency(cluster_stack)
dash_app_service_stack.add_dependency(alb_stack)
app.synth()
1
2
3
4
5
6
7
dash
pandas
numpy
plotly-express
flask
flask-restful
boto3
1
2
3
4
5
6
7
FROM python:3.9
COPY requirements.txt ./requirements.txt
RUN pip install -r requirements.txt
COPY . ./
EXPOSE 8050
CMD ["python", "app.py"]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
import io
import os
from dash import Dash, html, dcc, callback, Output, Input
import plotly.express as px
import pandas as pd
from flask import Flask
from flask_restful import Resource, Api
import boto3
class HealthCheck(Resource):
def get(self):
return {'up': 'OK'}
server = Flask('plotly_dash')
app = Dash(server=server)
api = Api(server)
api.add_resource(HealthCheck, '/health')
BUCKET_NAME = os.getenv("BUCKET_NAME")
s3_client = boto3.client('s3')
object_s3 = s3_client.get_object(Bucket=BUCKET_NAME, Key="gapminder_unfiltered.csv")
object_csv = object_s3['Body'].read().decode('utf-8')
csv_file = io.StringIO(object_csv)
df = pd.read_csv(csv_file)
app.layout = html.Div([
html.H1(children='Title of Dash App', style={'textAlign':'center'}),
dcc.Dropdown(df.country.unique(), 'Canada', id='dropdown-selection'),
dcc.Graph(id='graph-content')
])
def update_graph(value):
dff = df[df.country==value]
return px.line(dff, x='year', y='pop')
if __name__ == '__main__':
app.run_server(debug=True, host='0.0.0.0', port=8050)
cdk deploy Ecr --require-approval never
cdk deploy Bucket --require-approval never
cdk deploy --all --require-approval never