-
Notifications
You must be signed in to change notification settings - Fork 16
/
fabfile.py
376 lines (317 loc) · 12.6 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
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
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
import os
import re
import tempfile
import time
import yaml
from fabric.api import (env, execute, get, hide, local, put, require, run,
settings, sudo, task)
from fabric.contrib import files, project, console
from fabric.utils import abort
DEFAULT_SALT_LOGLEVEL = 'info'
SALT_VERSION = '2015.5.8'
PROJECT_ROOT = os.path.dirname(__file__)
CONF_ROOT = os.path.join(PROJECT_ROOT, 'conf')
VALID_ROLES = (
'salt-master',
'web',
'worker',
'balancer',
'db-master',
'queue',
'cache',
)
@task
def staging():
env.environment = 'staging'
env.master = 'CHANGEME'
initialize_env()
@task
def production():
env.environment = 'production'
env.master = '54.86.14.136'
initialize_env()
@task
def vagrant():
env.environment = 'local'
env.user = 'vagrant'
# convert vagrant's ssh-config output to a dictionary
ssh_config_output = local('vagrant ssh-config', capture=True)
ssh_config = dict(line.split() for line in ssh_config_output.splitlines())
env.master = '{HostName}:{Port}'.format(**ssh_config)
env.key_filename = ssh_config['IdentityFile']
initialize_env()
def initialize_env():
"""Build some common variables into the env dictionary."""
env.gpg_key = os.path.join(CONF_ROOT, '{}.pub.gpg'.format(env.environment))
def get_salt_version(command):
"""Run `command` --version, pick out the part of the output that is digits and dots,
and return it as a string.
If the command fails, return None.
"""
with settings(warn_only=True):
with hide('running', 'stdout', 'stderr'):
result = run('%s --version' % command)
if result.succeeded:
return re.search(r'([\d\.]+)', result).group(0)
def service_enabled(name):
"""Check if an upstart service is enabled."""
with settings(warn_only=True):
with hide('running', 'stdout', 'stderr'):
return sudo('service %s status' % name).succeeded
@task
def install_salt(version, master=False, minion=False, restart=True):
"""
Install or upgrade Salt minion and/or master if needed.
:param version: Version string, just numbers and dots, no leading 'v'. E.g. "2015.5.0".
THERE IS NO DEFAULT, you must pick a version.
:param master: If True, include master in the install.
:param minion: If True, include minion in the install.
:param restart: If we don't need to reinstall a salt package, restart its server anyway.
:returns: True if any changes were made, False if nothing was done.
"""
master_version = None
install_master = False
if master:
master_version = get_salt_version("salt")
install_master = master_version != version or not service_enabled('salt-master')
if install_master and master_version:
# Already installed - if Ubuntu package, uninstall current version first
# because we're going to do a git install later
sudo("apt-get remove salt-master -yq")
if restart and not install_master:
sudo("service salt-master restart")
minion_version = None
install_minion = False
if minion:
minion_version = get_salt_version('salt-minion')
install_minion = minion_version != version or not service_enabled('salt-minion')
if install_minion and minion_version:
# Already installed - if Ubuntu package, uninstall current version first
# because we're going to do a git install later
sudo("apt-get remove salt-minion -yq")
if restart and not install_minion:
sudo("service salt-minion restart")
if install_master or install_minion:
args = []
if install_master:
args.append('-M')
if not install_minion:
args.append('-N')
args = ' '.join(args)
# To update local install_salt.sh: wget -O install_salt.sh https://bootstrap.saltstack.com
# then inspect it
put(local_path="install_salt.sh", remote_path="install_salt.sh")
sudo("sh install_salt.sh -D {args} git v{version}".format(args=args, version=version))
return True
return False
@task
def setup_master():
"""Provision master with salt-master."""
require('environment')
with settings(host_string=env.master):
sudo('apt-get update -qq')
sudo('apt-get install python-pip git-core python-git python-gnupg haveged -qq -y')
sudo('mkdir -p /etc/salt/')
put(local_path='conf/master.conf',
remote_path='/etc/salt/master', use_sudo=True)
# install salt master if it's not there already, or restart to pick up config changes
install_salt(master=True, restart=True, version=SALT_VERSION)
generate_gpg_key()
fetch_gpg_key()
@task
def sync():
"""Rysnc local states and pillar data to the master.,
and update our checkout of margarita
"""
# project.rsync_project fails if host is not set
with settings(host=env.master, host_string=env.master):
salt_root = CONF_ROOT if CONF_ROOT.endswith('/') else CONF_ROOT + '/'
project.rsync_project(
local_dir=salt_root, remote_dir='/tmp/salt', delete=True)
sudo('rm -rf /srv/salt /srv/pillar')
sudo('mv /tmp/salt/* /srv/')
sudo('rm -rf /tmp/salt/')
execute(margarita)
@task
def setup_minion(*roles):
"""Setup a minion server with a set of roles."""
require('environment')
if not env.host_string:
abort('When calling "setup_minion", you must pass "-H <hostname|ipaddress> " '
'to specify which server to setup a minion on.')
for r in roles:
if r not in VALID_ROLES:
abort('%s is not a valid server role for this project.' % r)
# Master hostname/IP without the SSH port
master_host = env.master.split(':')[0]
config = {
'master': 'localhost' if master_host == env.host.split(':')[0] else master_host,
'output': 'mixed',
'grains': {
'environment': env.environment,
'roles': list(roles),
},
'mine_functions': {
'network.interfaces': []
},
}
_, path = tempfile.mkstemp()
with open(path, 'w') as f:
yaml.dump(config, f, default_flow_style=False)
sudo('mkdir -p /etc/salt/')
put(local_path=path, remote_path='/etc/salt/minion', use_sudo=True)
# install salt minion if it's not there already, or restart to pick up config changes
install_salt(SALT_VERSION, minion=True, restart=True)
# queries server for its fully qualified domain name to get minion id
key_name = run('python -c "import socket; print socket.getfqdn()"')
time.sleep(5)
execute(accept_key, key_name)
@task
def add_role(name):
"""Add a role to an exising minion configuration."""
if not env.host_string:
abort('When calling "add_role", you must pass "-H <hostname|ipaddress> " '
'to specify which server to add the new role.')
if name not in VALID_ROLES:
abort('%s is not a valid server role for this project.' % name)
_, path = tempfile.mkstemp()
get("/etc/salt/minion", path)
with open(path, 'r') as f:
config = yaml.safe_load(f)
grains = config.get('grains', {})
roles = grains.get('roles', [])
if name not in roles:
roles.append(name)
else:
abort('Server is already configured with the %s role.' % name)
grains['roles'] = roles
config['grains'] = grains
with open(path, 'w') as f:
yaml.dump(config, f, default_flow_style=False)
put(local_path=path, remote_path="/etc/salt/minion", use_sudo=True)
sudo('service salt-minion restart')
@task
def salt(cmd, target="'*'", loglevel=DEFAULT_SALT_LOGLEVEL):
"""Run arbitrary salt commands."""
with settings(warn_only=True, host_string=env.master):
result = sudo("salt {0} -l{1} {2} ".format(target, loglevel, cmd))
return result
@task
def state(name, target="'*'", loglevel=DEFAULT_SALT_LOGLEVEL):
salt('state.sls {}'.format(name), target, loglevel)
@task
def margarita():
require('environment')
execute(state, 'margarita', target="-G 'roles:salt-master'")
# with settings(host_string=env.master):
# sudo('service salt-master restart')
@task
def highstate(target="'*'", loglevel=DEFAULT_SALT_LOGLEVEL):
"""Run highstate on master."""
print("This can take a long time without output, be patient")
salt('state.highstate', target, loglevel)
@task
def accept_key(name):
"""Accept minion key on master."""
with settings(host_string=env.master):
sudo('salt-key --accept={0} -y'.format(name))
sudo('salt-key -L')
@task
def delete_key(name):
"""Delete specific key on master."""
with settings(host_string=env.master):
sudo('salt-key -L')
sudo('salt-key --delete={0} -y'.format(name))
sudo('salt-key -L')
@task
def deploy(loglevel=DEFAULT_SALT_LOGLEVEL):
"""Deploy to a given environment by pushing the latest states and executing the highstate."""
require('environment')
sync()
target = "-G 'environment:{0}'".format(env.environment)
salt('saltutil.sync_all', target, loglevel)
highstate(target)
@task
def generate_gpg_key():
"""Generate a GPG on the master if one does not exist."""
require('environment')
gpg_home = '/etc/salt/gpgkeys'
gpg_file = '/tmp/gpg-batch'
with settings(host_string=env.master):
if not files.exists(os.path.join(gpg_home, 'secring.gpg'), use_sudo=True):
sudo('mkdir -p {}'.format(gpg_home))
files.upload_template(
filename='conf/gpg.tmpl', destination=gpg_file,
context={'environment': env.environment},
use_jinja=False, use_sudo=False, backup=True)
sudo('gpg --gen-key --homedir {} --batch {}'.format(gpg_home, gpg_file))
@task
def fetch_gpg_key():
"""Export GPG keys from the master."""
require('environment')
gpg_home = '/etc/salt/gpgkeys'
gpg_public = '/tmp/public.gpg'
with settings(host_string=env.master):
with hide('running', 'stdout', 'stderr'):
sudo('gpg --armor --homedir {} --armor --export > {}'.format(gpg_home, gpg_public))
get(gpg_public, env.gpg_key)
@task
def encrypt(*args, **kwargs):
"""Encrypt a secret value for a given environment."""
require('environment')
# Convert ASCII key to binary
temp_key = '/tmp/tmp.key'
with hide('running', 'stdout', 'stderr'):
local('gpg --dearmor < {} > {}'.format(env.gpg_key, temp_key))
# Encrypt each file
for name in args:
local(
'gpg --no-default-keyring --keyring {} '
'--trust-model always -aer {}_salt_key {}'.format(
temp_key, env.environment, name))
# Encrypt each value
updates = {}
for name, value in kwargs.items():
updates[name] = '{}'.format(
local(
'/bin/echo -n "{}" | '
'gpg --no-default-keyring --keyring {} '
'--trust-model always -aer {}_salt_key'.format(
value, temp_key, env.environment), capture=True))
os.remove(temp_key)
if updates:
print(yaml.dump(updates, default_flow_style=False, default_style='|', indent=2))
def hostnames_for_role(role):
with hide('running', 'stdout'):
result = salt(
cmd='test.ping --output=yaml',
target='-G "roles:%s"' % role)
return yaml.safe_load(result.stdout).keys()
def get_project_name():
with open(os.path.join(CONF_ROOT, 'pillar', 'project.sls'), 'r') as f:
return yaml.safe_load(f)['project_name']
@task
def manage_run(command):
require('environment')
project_name = get_project_name()
manage_sh = u'/var/www/%s/manage.sh ' % project_name
with settings(host_string=hostnames_for_role('web')[0]):
sudo(manage_sh + command, user=project_name)
@task
def manage_shell():
manage_run('shell')
@task
def reset_local_db(confirm_first=True):
""" Reset local database from remote host """
require('environment', provided_by=('production',))
if confirm_first:
question = 'Are you sure you want to reset your local ' \
'database with the %(environment)s database?' % env
if not console.confirm(question, default=False):
abort('Local database reset aborted.')
with settings(warn_only=True):
local('dropdb school_navigator')
local('createdb -E UTF-8 school_navigator')
local('psql school_navigator -c "CREATE EXTENSION postgis;"')
remote_db = 'school_navigator_production'
local('ssh -C %s sudo -u postgres pg_dump -Ox %s | psql school_navigator' % (env.master, remote_db, ))