This repository has been archived by the owner on Sep 29, 2021. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 28
/
Copy pathfabfile.py
167 lines (138 loc) · 6.43 KB
/
fabfile.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
import os
import sys
import json
import re
import requests
from fabric.api import local, hosts, cd, env, prefix, run, sudo, settings, hide
def kobo_workon(venv_name):
return prefix('kobo_workon %s' % venv_name)
DEPLOYMENTS = {}
IMPORTED_DEPLOYMENTS = {}
deployments_file = os.environ.get('DEPLOYMENTS_JSON', 'deployments.json')
if os.path.exists(deployments_file):
with open(deployments_file, 'r') as f:
IMPORTED_DEPLOYMENTS = json.load(f)
def exit_with_error(message):
print message
sys.exit(1)
def check_key_filename(deployment_configs):
if 'key_filename' in deployment_configs and \
not os.path.exists(deployment_configs['key_filename']):
# Maybe the path contains a ~; try expanding that before failing
deployment_configs['key_filename'] = os.path.expanduser(
deployment_configs['key_filename']
)
if not os.path.exists(deployment_configs['key_filename']):
exit_with_error("Cannot find required permissions file: %s" %
deployment_configs['key_filename'])
def setup_env(deployment_name):
deployment = DEPLOYMENTS.get(deployment_name, {})
if 'shared' in IMPORTED_DEPLOYMENTS:
deployment.update(IMPORTED_DEPLOYMENTS['shared'])
if deployment_name in IMPORTED_DEPLOYMENTS:
deployment.update(IMPORTED_DEPLOYMENTS[deployment_name])
env.update(deployment)
check_key_filename(deployment)
env.virtualenv = os.path.join('/home', 'ubuntu', '.virtualenvs',
env.kf_virtualenv_name, 'bin', 'activate')
env.uwsgi_pidfile = os.path.join('/home', 'ubuntu', 'pids',
'kobo-uwsgi-master.pid')
env.kf_path = os.path.join(env.home, env.kf_path)
env.pip_requirements_file = os.path.join(env.kf_path,
'requirements.txt')
def deploy_ref(deployment_name, ref):
setup_env(deployment_name)
with cd(env.kf_path):
run("git fetch origin")
# Make sure we're not moving to an older codebase
git_output = run('git rev-list {}..HEAD --count 2>&1'.format(ref))
if int(git_output) > 0:
raise Exception("The server's HEAD is already in front of the "
"commit to be deployed.")
# We want to check out a specific commit, but this does leave the HEAD
# detached. Perhaps consider using `git reset`.
run('git checkout {}'.format(ref))
# Report if the working directory is unclean.
git_output = run('git status --porcelain')
if len(git_output):
run('git status')
print('WARNING: The working directory is unclean. See above.')
run('find . -name "*.pyc" -exec rm -rf {} \;')
run('find . -type d -empty -delete')
with kobo_workon(env.kf_virtualenv_name):
run("pip install --upgrade 'pip>=7.0' pip-tools")
run("pip-sync '%s'" % env.pip_requirements_file)
with cd(env.kf_path):
run("npm install")
run("bower install")
run("grunt build_all")
run("python manage.py syncdb")
run("python manage.py migrate")
# Figure out whether django-compressor is enabled before trying to
# run it. Trying to run it blindly when it's disabled will halt
# Fabric with a non-zero exit code
with settings(
hide('warnings', 'running', 'stdout'), warn_only=True):
result = run(
'echo "import sys; from django.conf import settings; '
'sys.exit(100 if settings.COMPRESS_ENABLED else 99)" | '
'python'
)
if result.return_code == 100:
run("python manage.py compress")
elif result.return_code == 99:
print 'COMPRESS_ENABLED is False. Skipping compress.'
else:
raise Exception(
'Failed to read COMPRESS_ENABLED from Django settings.')
run("python manage.py collectstatic --noinput")
run("sudo service uwsgi reload")
def deploy(deployment_name, branch='master'):
deploy_ref(deployment_name, 'origin/{}'.format(branch))
def repopulate_summary_field(deployment_name):
setup_env(deployment_name)
with cd(env.kf_path):
with kobo_workon(env.kf_virtualenv_name):
run("python manage.py populate_summary_field")
def deploy_passing(deployment_name, branch='master'):
''' Deploy the latest code on the given branch that's
been marked passing by Travis CI. '''
print 'Asking Travis CI for the hash of the latest passing commit...'
desired_commit = get_last_successfully_built_commit(branch)
print 'Found passing commit {} for branch {}!'.format(desired_commit,
branch)
deploy_ref(deployment_name, desired_commit)
def get_last_successfully_built_commit(branch):
''' Returns the hash of the latest successfully built commit
on the given branch according to Travis CI. '''
API_ENDPOINT='https://api.travis-ci.org/'
REPO_SLUG='kobotoolbox/dkobo'
COMMON_HEADERS={'accept': 'application/vnd.travis-ci.2+json'}
''' Travis only lets us specify `number`, `after_number`, and `event_type`.
It'd be great to filter by state and branch, but it seems we can't
(http://docs.travis-ci.com/api/?http#builds). '''
request = requests.get(
'{}repos/{}/builds'.format(API_ENDPOINT, REPO_SLUG),
headers=COMMON_HEADERS
)
if request.status_code != 200:
raise Exception('Travis returned unexpected code {}.'.format(
request.status_code
))
response = json.loads(request.text)
builds = response['builds']
commits = {commit['id']: commit for commit in response['commits']}
for build in builds:
if build['state'] != 'passed' or build['pull_request']:
# No interest in non-passing builds or PRs
continue
commit = commits[build['commit_id']]
if commit['branch'] == branch:
# Assumes the builds are in descending chronological order
if re.match('^[0-9a-f]+$', commit['sha']) is None:
raise Exception('Travis returned the invalid SHA {}.'.format(
commit['sha']))
return commit['sha']
raise Exception("Couldn't find a passing build for the branch {}. "
"This could be due to pagination, in which case this code "
"must be made more robust!".format(branch))