-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathtasks.py
276 lines (220 loc) · 8.83 KB
/
tasks.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
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
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
import os
import json
import git
import sys
import cfenv
from invoke import task
env = cfenv.AppEnv()
APP_NAME = "fecfile-web-api"
MIGRATOR_APP_NAME = "fecfile-api-migrator" # THE APP WITH THIS NAME WILL GET DELETED!
WEB_SERVICES_NAME = "fecfile-web-services"
SCHEDULER_NAME = "fecfile-scheduler"
PROXY_NAME = "fecfile-api-proxy"
ORG_NAME = "fec-fecfileonline-prototyping"
MANIFEST_LABEL = {
APP_NAME: "api",
WEB_SERVICES_NAME: "web-services",
SCHEDULER_NAME: "scheduler",
}
def _resolve_rule(repo, branch):
"""Get space associated with first matching rule."""
for space, rule in DEPLOY_RULES:
if rule(repo, branch):
return space
return None
def _detect_branch(repo):
try:
return repo.active_branch.name
except TypeError:
return None
def _detect_space(repo, branch=None):
"""Detect space from active git branch.
:param str branch: Optional branch name override
:returns: Space name if space is detected and confirmed, else `None`
"""
space = _resolve_rule(repo, branch)
if space is None:
print("The current configuration does not require a deployment to cloud.gov.")
return None
print(f"Detected space {space}")
return space
DEPLOY_RULES = (
("test", lambda _, branch: branch == "main"),
("stage", lambda _, branch: branch.startswith("release")),
("dev", lambda _, branch: branch == "develop"),
)
def _login_to_cf(ctx, space):
# Set api
api = "https://api.fr.cloud.gov"
ctx.run(f"cf api {api}", echo=True)
# Authenticate
user_var_name = f"$FEC_CF_USERNAME_{space.upper()}"
pass_var_name = f"$FEC_CF_PASSWORD_{space.upper()}"
login_command = f'cf auth "{user_var_name}" "{pass_var_name}"'
result = ctx.run(login_command, echo=True, warn=True)
if result.return_code != 0:
print("\n\nError logging into cloud.gov.")
print("Please check your authentication environment variables:")
print(f"You must set the {user_var_name} and {pass_var_name} environment ")
print("variables with space-deployer service account credentials")
print("")
print(
"If you don't have a service account, you can create one with the"
" following commands:"
)
print(f" cf login -u [email-address] -o {ORG_NAME} -a api.fr.cloud.gov --sso")
print(f" cf target -o {ORG_NAME} -s {space}")
print(
" cf create-service cloud-gov-service-account space-deployer"
" [my-service-account-name]"
)
print(" cf create-service-key [my-server-account-name] [my-service-key-name]")
print(" cf service-key [my-server-account-name] [my-service-key-name]")
exit(1)
def _do_deploy(ctx, space, app):
manifest_filename = f"manifests/manifest-{space}-{MANIFEST_LABEL.get(app)}.yml"
existing_deploy = ctx.run(f"cf app {app}", echo=True, warn=True)
print("\n")
cmd = "push --strategy rolling" if existing_deploy.ok else "push"
new_deploy = ctx.run(
f"cf {cmd} {app} -f {manifest_filename}",
echo=True,
warn=True,
)
return new_deploy
def _print_help_text():
help_text = """
Usage:
invoke deploy [--space SPACE] [--branch BRANCH] [--login] [--help]
--space SPACE If provided, the SPACE space in cloud.gov will be targeted
for deployment.
Either --space or --branch must be provided
Allowed values are dev, stage, test, and prod.
--branch BRANCH Name of the branch to use for deployment. Will auto-detect
the git branch in the current directory by default
Either --space or --branch must be provided
--login If this flag is set, deploy with attempt to login to a
service account specified in the environemnt variables
$FEC_CF_USERNAME_[SPACE] and $FEC_CF_PASSWORD_[SPACE]
--help If set, display help/usage text and exit
"""
print(help_text)
def _rollback(ctx, app):
print("Build failed!")
# Check if there are active deployments
app_guid = ctx.run(f"cf app {app} --guid", hide=True, warn=True)
app_guid_formatted = app_guid.stdout.strip()
status = ctx.run(
f'cf curl "/v3/deployments?app_guids={app_guid_formatted}&status_values=ACTIVE"',
hide=True,
warn=True,
)
active_deployments = json.loads(status.stdout).get("pagination").get("total_results")
# Try to roll back
if active_deployments > 0:
print("Attempting to roll back any deployment in progress...")
# Show the in-between state
ctx.run(f"cf app {app}", echo=True, warn=True)
cancel_deploy = ctx.run(f"cf cancel-deployment {app}", echo=True, warn=True)
if cancel_deploy.ok:
print("Successfully cancelled deploy. Check logs.")
else:
print("Unable to cancel deploy. Check logs.")
def _delete_migrator_app(ctx, space):
print("Deleting migrator app...")
existing_migrator_app = ctx.run(f"cf app {MIGRATOR_APP_NAME}", echo=True, warn=True)
if not existing_migrator_app.ok:
print("No migrator app detected. There is nothing to delete.")
return True
if MIGRATOR_APP_NAME == APP_NAME:
print(f"Possible error: could result in deleting main app - {APP_NAME}")
print("Canceling migrator app deletion attempt.")
return False
delete_app = ctx.run(f"cf delete {MIGRATOR_APP_NAME} -f", echo=True, warn=True)
if not delete_app.ok:
print("Failed to delete migrator app.")
print(f'Stray migrator app remains on {space}: "{MIGRATOR_APP_NAME}"')
return False
print("Migrator app deleted successfully.")
return True
def _run_migrations(ctx, space):
print("Running migrations...")
# Start migrator app
manifest_filename = f"manifests/manifest-{space}-migrator.yml"
migrator = ctx.run(
f"cf push {MIGRATOR_APP_NAME} -f {manifest_filename}",
echo=True,
warn=True,
)
if not migrator.ok:
print("Failed to spin up migrator app. Check logs.")
return False
# Run migrations
task = "django-backend/manage.py migrate --no-input --traceback --verbosity 3"
migrations = ctx.run(
f"cf rt {MIGRATOR_APP_NAME} --command '{task}' --name 'Run Migrations' --wait",
echo=True,
warn=True,
)
if not migrations.ok:
print("Failed to run migrations. Check logs.")
return False
print("Migration process has finished successfully.")
return True
@task
def deploy(ctx, space=None, branch=None, login=False, help=False):
"""Deploy app to Cloud Foundry.
Log in using credentials stored per environment
like `FEC_CF_USERNAME_DEV` and `FEC_CF_PASSWORD_DEV`;
Push to either `space` or the space detected from the name and tags
of the current branch.
Note: Must pass `space` or `branch` if repo is in detached HEAD mode,
e.g. when running on Circle.
Example usage: invoke deploy --space dev
"""
if help:
_print_help_text()
exit(0)
# Detect space
repo = git.Repo(".")
branch = branch or _detect_branch(repo)
space = space or _detect_space(repo, branch)
if space is None:
# this is not an error condition, it just means the current space/branch is not
# a candidate for deployment. Return successful exit code
return sys.exit(0)
if login:
_login_to_cf(ctx, space)
# Target space
ctx.run(f"cf target -o {ORG_NAME} -s {space}", echo=True)
# Set deploy variables
with open(".cfmeta", "w") as fp:
json.dump({"user": os.getenv("USER"), "branch": branch}, fp)
# Runs migrations
# tasks.py does not continue until the migrations task has completed
migrations_successful = _run_migrations(ctx, space)
migrator_app_deleted = _delete_migrator_app(ctx, space)
if not (migrations_successful and migrator_app_deleted):
print("Migrations failed and/or the migrator app was not deleted successfully.")
print("See the logs for more information.\nCanceling deploy...")
sys.exit(1)
for app in [APP_NAME, WEB_SERVICES_NAME, SCHEDULER_NAME]:
new_deploy = _do_deploy(ctx, space, app)
if not new_deploy.ok:
_rollback(ctx, app)
return sys.exit(1)
# Allow proxy to connect to api via internal route
add_network_policy = ctx.run(
f"cf add-network-policy {PROXY_NAME} {APP_NAME}",
echo=True,
warn=True,
)
if not add_network_policy.ok:
print(
"Unable to add network policy. Make sure the proxy app is deployed.\n"
"For more information, check logs."
)
# Fail the build because the api will be down until the proxy can connect
return sys.exit(1)
# Needed for CircleCI
return sys.exit(0)