abbey.py 27.5 KB
Newer Older
1
#!/usr/bin/env python -u
2 3 4 5
import sys
from argparse import ArgumentParser
import time
import json
John Jarvis committed
6
import yaml
7
import os
8 9 10 11
try:
    import boto.ec2
    import boto.sqs
    from boto.vpc import VPCConnection
12
    from boto.exception import NoAuthHandlerFound, EC2ResponseError
13
    from boto.sqs.message import RawMessage
14
    from boto.ec2.blockdevicemapping import BlockDeviceType, BlockDeviceMapping
15 16 17 18
except ImportError:
    print "boto required for script"
    sys.exit(1)

19 20
from pprint import pprint

Feanil Patel committed
21
AMI_TIMEOUT = 2700  # time to wait for AMIs to complete(45 minutes)
22 23 24
EC2_RUN_TIMEOUT = 180  # time to wait for ec2 state transition
EC2_STATUS_TIMEOUT = 300  # time to wait for ec2 system status checks
NUM_TASKS = 5  # number of tasks for time summary report
25
NUM_PLAYBOOKS = 2
26

John Jarvis committed
27

28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50
class Unbuffered:
    """
    For unbuffered output, not
    needed if PYTHONUNBUFFERED is set
    """
    def __init__(self, stream):
        self.stream = stream

    def write(self, data):
        self.stream.write(data)
        self.stream.flush()

    def __getattr__(self, attr):
        return getattr(self.stream, attr)

sys.stdout = Unbuffered(sys.stdout)


def parse_args():
    parser = ArgumentParser()
    parser.add_argument('--noop', action='store_true',
                        help="don't actually run the cmds",
                        default=False)
51 52
    parser.add_argument('--secure-vars-file', required=False,
                        metavar="SECURE_VAR_FILE", default=None,
53
                        help="path to secure-vars from the root of "
54 55
                        "the secure repo. By default <deployment>.yml and "
                        "<environment>-<deployment>.yml will be used if they "
John Jarvis committed
56 57
                        "exist in <secure-repo>/ansible/vars/. This secure file "
                        "will be used in addition to these if they exist.")
58
    parser.add_argument('--stack-name',
59
                        help="defaults to ENVIRONMENT-DEPLOYMENT",
60 61 62 63 64
                        metavar="STACK_NAME",
                        required=False)
    parser.add_argument('-p', '--play',
                        help='play name without the yml extension',
                        metavar="PLAY", required=True)
65 66
    parser.add_argument('--playbook-dir',
                        help='directory to find playbooks in',
67
                        default='configuration/playbooks/edx-east',
68
                        metavar="PLAYBOOKDIR", required=False)
69 70 71 72 73 74 75 76 77 78 79
    parser.add_argument('-d', '--deployment', metavar="DEPLOYMENT",
                        required=True)
    parser.add_argument('-e', '--environment', metavar="ENVIRONMENT",
                        required=True)
    parser.add_argument('-v', '--verbose', action='store_true',
                        help="turn on verbosity")
    parser.add_argument('--no-cleanup', action='store_true',
                        help="don't cleanup on failures")
    parser.add_argument('--vars', metavar="EXTRA_VAR_FILE",
                        help="path to extra var file", required=False)
    parser.add_argument('--configuration-version', required=False,
80
                        help="configuration repo gitref",
81 82
                        default="master")
    parser.add_argument('--configuration-secure-version', required=False,
83
                        help="configuration-secure repo gitref",
84
                        default="master")
85 86 87
    parser.add_argument('--configuration-secure-repo', required=False,
                        default="git@github.com:edx-ops/prod-secure",
                        help="repo to use for the secure files")
88
    parser.add_argument('--configuration-private-version', required=False,
89
                        help="configuration-private repo gitref",
90 91 92 93
                        default="master")
    parser.add_argument('--configuration-private-repo', required=False,
                        default="git@github.com:edx-ops/ansible-private",
                        help="repo to use for private playbooks")
94 95
    parser.add_argument('-c', '--cache-id', required=True,
                        help="unique id to use as part of cache prefix")
96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115
    parser.add_argument('-i', '--identity', required=False,
                        help="path to identity file for pulling "
                             "down configuration-secure",
                        default=None)
    parser.add_argument('-r', '--region', required=False,
                        default="us-east-1",
                        help="aws region")
    parser.add_argument('-k', '--keypair', required=False,
                        default="deployment",
                        help="AWS keypair to use for instance")
    parser.add_argument('-t', '--instance-type', required=False,
                        default="m1.large",
                        help="instance type to launch")
    parser.add_argument("--role-name", required=False,
                        default="abbey",
                        help="IAM role name to use (must exist)")
    parser.add_argument("--msg-delay", required=False,
                        default=5,
                        help="How long to delay message display from sqs "
                             "to ensure ordering")
116 117 118 119
    parser.add_argument("--hipchat-room-id", required=False,
                        default=None,
                        help="The API ID of the Hipchat room to post"
                             "status messages to")
120 121 122 123
    parser.add_argument("--ansible-hipchat-room-id", required=False,
                        default='Hammer',
                        help="The room used by the abbey instance for "
                             "printing verbose ansible run data.")
124 125 126
    parser.add_argument("--hipchat-api-token", required=False,
                        default=None,
                        help="The API token for Hipchat integration")
127 128 129 130
    parser.add_argument("--root-vol-size", required=False,
                        default=50,
                        help="The size of the root volume to use for the "
                             "abbey instance.")
131 132 133

    group = parser.add_mutually_exclusive_group()
    group.add_argument('-b', '--base-ami', required=False,
John Jarvis committed
134 135
                       help="ami to use as a base ami",
                       default="ami-0568456c")
136
    group.add_argument('--blessed', action='store_true',
John Jarvis committed
137 138
                       help="Look up blessed ami for env-dep-play.",
                       default=False)
139

140 141 142
    return parser.parse_args()


143
def get_instance_sec_group(vpc_id):
144

145 146
    grp_details = ec2.get_all_security_groups(
        filters={
147
            'vpc_id': vpc_id,
148
            'tag:play': args.play
149 150
        }
    )
151

152 153
    if len(grp_details) < 1:
        sys.stderr.write("ERROR: Expected atleast one security group, got {}\n".format(
Feanil Patel committed
154
            len(grp_details)))
155

156
    return grp_details[0].id
157

John Jarvis committed
158

159 160 161 162 163 164 165 166 167 168 169 170 171 172 173
def get_blessed_ami():
    images = ec2.get_all_images(
        filters={
            'tag:environment': args.environment,
            'tag:deployment': args.deployment,
            'tag:play': args.play,
            'tag:blessed': True
        }
    )

    if len(images) != 1:
        raise Exception("ERROR: Expected only one blessed ami, got {}\n".format(
            len(images)))

    return images[0].id
174

John Jarvis committed
175

176 177 178 179 180 181 182 183
def create_instance_args():
    """
    Looks up security group, subnet
    and returns arguments to pass into
    ec2.run_instances() including
    user data
    """

184 185 186 187
    vpc = VPCConnection()
    subnet = vpc.get_all_subnets(
        filters={
            'tag:aws:cloudformation:stack-name': stack_name,
e0d committed
188
            'tag:play': args.play}
189
    )
e0d committed
190 191 192 193 194 195 196 197 198 199 200 201 202

    if len(subnet) < 1:
        #
        # try scheme for non-cloudformation builds
        #

        subnet = vpc.get_all_subnets(
            filters={
                'tag:cluster': args.play,
                'tag:environment': args.environment,
                'tag:deployment': args.deployment}
        )

203 204
    if len(subnet) < 1:
        sys.stderr.write("ERROR: Expected at least one subnet, got {}\n".format(
205 206 207
            len(subnet)))
        sys.exit(1)
    subnet_id = subnet[0].id
208 209
    vpc_id = subnet[0].vpc_id

210
    security_group_id = get_instance_sec_group(vpc_id)
211 212 213 214

    if args.identity:
        config_secure = 'true'
        with open(args.identity) as f:
215
            identity_contents = f.read()
216 217
    else:
        config_secure = 'false'
218 219
        identity_contents = "dummy"

220 221 222 223 224 225 226 227 228 229
    user_data = """#!/bin/bash
set -x
set -e
exec > >(tee /var/log/user-data.log|logger -t user-data -s 2>/dev/console) 2>&1
base_dir="/var/tmp/edx-cfg"
extra_vars="$base_dir/extra-vars-$$.yml"
secure_identity="$base_dir/secure-identity"
git_ssh="$base_dir/git_ssh.sh"
configuration_version="{configuration_version}"
configuration_secure_version="{configuration_secure_version}"
230
configuration_private_version="{configuration_private_version}"
231 232 233 234
environment="{environment}"
deployment="{deployment}"
play="{play}"
config_secure={config_secure}
235 236 237
git_repo_name="configuration"
git_repo="https://github.com/edx/$git_repo_name"
git_repo_secure="{configuration_secure_repo}"
238
git_repo_secure_name=$(basename $git_repo_secure .git)
239
git_repo_private="{configuration_private_repo}"
240
git_repo_private_name=$(basename $git_repo_private .git)
John Jarvis committed
241
secure_vars_file={secure_vars_file}
242 243
environment_deployment_secure_vars="$base_dir/$git_repo_secure_name/ansible/vars/{environment}-{deployment}.yml"
deployment_secure_vars="$base_dir/$git_repo_secure_name/ansible/vars/{deployment}.yml"
244 245 246 247 248 249
instance_id=\\
$(curl http://169.254.169.254/latest/meta-data/instance-id 2>/dev/null)
instance_ip=\\
$(curl http://169.254.169.254/latest/meta-data/local-ipv4 2>/dev/null)
instance_type=\\
$(curl http://169.254.169.254/latest/meta-data/instance-type 2>/dev/null)
250
playbook_dir="$base_dir/{playbook_dir}"
251 252 253 254 255 256 257 258 259 260 261 262

if $config_secure; then
    git_cmd="env GIT_SSH=$git_ssh git"
else
    git_cmd="git"
fi

ANSIBLE_ENABLE_SQS=true
SQS_NAME={queue_name}
SQS_REGION=us-east-1
SQS_MSG_PREFIX="[ $instance_id $instance_ip $environment-$deployment $play ]"
PYTHONUNBUFFERED=1
263 264 265 266 267
HIPCHAT_TOKEN={hipchat_token}
HIPCHAT_ROOM={hipchat_room}
HIPCHAT_MSG_PREFIX="$environment-$deployment-$play: "
HIPCHAT_FROM="ansible-$instance_id"
HIPCHAT_MSG_COLOR=$(echo -e "yellow\\ngreen\\npurple\\ngray" | shuf | head -1)
268 269
# environment for ansible
export ANSIBLE_ENABLE_SQS SQS_NAME SQS_REGION SQS_MSG_PREFIX PYTHONUNBUFFERED
270
export HIPCHAT_TOKEN HIPCHAT_ROOM HIPCHAT_MSG_PREFIX HIPCHAT_FROM HIPCHAT_MSG_COLOR
271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293

if [[ ! -x /usr/bin/git || ! -x /usr/bin/pip ]]; then
    echo "Installing pkg dependencies"
    /usr/bin/apt-get update
    /usr/bin/apt-get install -y git python-pip python-apt \\
        git-core build-essential python-dev libxml2-dev \\
        libxslt-dev curl --force-yes
fi


rm -rf $base_dir
mkdir -p $base_dir
cd $base_dir

cat << EOF > $git_ssh
#!/bin/sh
exec /usr/bin/ssh -o StrictHostKeyChecking=no -i "$secure_identity" "\$@"
EOF

chmod 755 $git_ssh

if $config_secure; then
    cat << EOF > $secure_identity
294
{identity_contents}
295 296 297 298
EOF
fi

cat << EOF >> $extra_vars
299
---
300 301 302
# extra vars passed into
# abbey.py including versions
# of all the repositories
303
{extra_vars_yml}
304

305 306 307 308
# abbey will always run fake migrations
# this is so that the application can come
# up healthy
fake_migrations: true
309

310
disable_edx_services: true
311
COMMON_TAG_EC2_INSTANCE: true
312 313 314 315

# abbey should never take instances in
# and out of elbs
elb_pre_post: false
316 317 318 319
EOF

chmod 400 $secure_identity

320 321 322 323
$git_cmd clone $git_repo $git_repo_name
cd $git_repo_name
$git_cmd checkout $configuration_version
cd $base_dir
324 325

if $config_secure; then
326 327 328 329
    $git_cmd clone $git_repo_secure $git_repo_secure_name
    cd $git_repo_secure_name
    $git_cmd checkout $configuration_secure_version
    cd $base_dir
330 331
fi

Fred Smith committed
332
if [[ ! -z $git_repo_private ]]; then
333 334 335 336 337 338 339
    $git_cmd clone $git_repo_private $git_repo_private_name
    cd $git_repo_private_name
    $git_cmd checkout $configuration_private_version
    cd $base_dir
fi


340
cd $base_dir/$git_repo_name
341
sudo pip install -r pre-requirements.txt
342 343 344 345
sudo pip install -r requirements.txt

cd $playbook_dir

346 347 348 349 350 351 352 353
if [[ -r "$deployment_secure_vars" ]]; then
    extra_args_opts+=" -e@$deployment_secure_vars"
fi

if [[ -r "$environment_deployment_secure_vars" ]]; then
    extra_args_opts+=" -e@$environment_deployment_secure_vars"
fi

John Jarvis committed
354 355
if $secure_vars_file; then
    extra_args_opts+=" -e@$secure_vars_file"
356 357 358 359 360 361
fi

extra_args_opts+=" -e@$extra_vars"

ansible-playbook -vvvv -c local -i "localhost," $play.yml $extra_args_opts
ansible-playbook -vvvv -c local -i "localhost," stop_all_edx_services.yml $extra_args_opts
362 363 364 365

rm -rf $base_dir

    """.format(
366
                hipchat_token=args.hipchat_api_token,
367
                hipchat_room=args.ansible_hipchat_room_id,
368 369
                configuration_version=args.configuration_version,
                configuration_secure_version=args.configuration_secure_version,
370
                configuration_secure_repo=args.configuration_secure_repo,
371 372
                configuration_private_version=args.configuration_private_version,
                configuration_private_repo=args.configuration_private_repo,
373 374 375
                environment=args.environment,
                deployment=args.deployment,
                play=args.play,
376
                playbook_dir=args.playbook_dir,
377
                config_secure=config_secure,
378
                identity_contents=identity_contents,
379
                queue_name=run_id,
380
                extra_vars_yml=extra_vars_yml,
John Jarvis committed
381
                secure_vars_file=secure_vars_file,
382
                cache_id=args.cache_id)
383

Feanil Patel committed
384 385 386
    mapping = BlockDeviceMapping()
    root_vol = BlockDeviceType(size=args.root_vol_size,
                               volume_type='gp2')
387 388
    mapping['/dev/sda1'] = root_vol

389 390 391 392
    ec2_args = {
        'security_group_ids': [security_group_id],
        'subnet_id': subnet_id,
        'key_name': args.keypair,
393
        'image_id': base_ami,
394 395 396
        'instance_type': args.instance_type,
        'instance_profile_name': args.role_name,
        'user_data': user_data,
397
        'block_device_map': mapping,
398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419
    }

    return ec2_args


def poll_sqs_ansible():
    """
    Prints events to the console and
    blocks until a final STATS ansible
    event is read off of SQS.

    SQS does not guarantee FIFO, for that
    reason there is a buffer that will delay
    messages before they are printed to the
    console.

    Returns length of the ansible run.
    """
    oldest_msg_ts = 0
    buf = []
    task_report = []  # list of tasks for reporting
    last_task = None
420
    completed = 0
421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450
    while True:
        messages = []
        while True:
            # get all available messages on the queue
            msgs = sqs_queue.get_messages(attributes='All')
            if not msgs:
                break
            messages.extend(msgs)

        for message in messages:
            recv_ts = float(
                message.attributes['ApproximateFirstReceiveTimestamp']) * .001
            sent_ts = float(message.attributes['SentTimestamp']) * .001
            try:
                msg_info = {
                    'msg': json.loads(message.get_body()),
                    'sent_ts': sent_ts,
                    'recv_ts': recv_ts,
                }
                buf.append(msg_info)
            except ValueError as e:
                print "!!! ERROR !!! unable to parse queue message, " \
                      "expecting valid json: {} : {}".format(
                          message.get_body(), e)
            if not oldest_msg_ts or recv_ts < oldest_msg_ts:
                oldest_msg_ts = recv_ts
            sqs_queue.delete_message(message)

        now = int(time.time())
        if buf:
Feanil Patel committed
451
            try:
452
                if (now - min([msg['recv_ts'] for msg in buf])) > args.msg_delay:
Feanil Patel committed
453 454 455 456 457 458 459 460 461 462 463
                    # sort by TS instead of recv_ts
                    # because the sqs timestamp is not as
                    # accurate
                    buf.sort(key=lambda k: k['msg']['TS'])
                    to_disp = buf.pop(0)
                    if 'START' in to_disp['msg']:
                        print '\n{:0>2.0f}:{:0>5.2f} {} : Starting "{}"'.format(
                            to_disp['msg']['TS'] / 60,
                            to_disp['msg']['TS'] % 60,
                            to_disp['msg']['PREFIX'],
                            to_disp['msg']['START']),
464

Feanil Patel committed
465 466 467 468 469 470 471 472 473 474 475 476
                    elif 'TASK' in to_disp['msg']:
                        print "\n{:0>2.0f}:{:0>5.2f} {} : {}".format(
                            to_disp['msg']['TS'] / 60,
                            to_disp['msg']['TS'] % 60,
                            to_disp['msg']['PREFIX'],
                            to_disp['msg']['TASK']),
                        last_task = to_disp['msg']['TASK']
                    elif 'OK' in to_disp['msg']:
                        if args.verbose:
                            print "\n"
                            for key, value in to_disp['msg']['OK'].iteritems():
                                print "    {:<15}{}".format(key, value)
477
                        else:
478 479 480 481 482 483
                            invocation = to_disp['msg']['OK']['invocation']
                            module = invocation['module_name']
                            # 'set_fact' does not provide a changed value.
                            if module == 'set_fact':
                                changed = "OK"
                            elif to_disp['msg']['OK']['changed']:
Feanil Patel committed
484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502
                                changed = "*OK*"
                            else:
                                changed = "OK"
                            print " {}".format(changed),
                        task_report.append({
                            'TASK': last_task,
                            'INVOCATION': to_disp['msg']['OK']['invocation'],
                            'DELTA': to_disp['msg']['delta'],
                        })
                    elif 'FAILURE' in to_disp['msg']:
                        print " !!!! FAILURE !!!!",
                        for key, value in to_disp['msg']['FAILURE'].iteritems():
                            print "    {:<15}{}".format(key, value)
                        raise Exception("Failed Ansible run")
                    elif 'STATS' in to_disp['msg']:
                        print "\n{:0>2.0f}:{:0>5.2f} {} : COMPLETE".format(
                            to_disp['msg']['TS'] / 60,
                            to_disp['msg']['TS'] % 60,
                            to_disp['msg']['PREFIX'])
503

Feanil Patel committed
504 505 506 507 508 509 510 511 512
                        # Since 3 ansible plays get run.
                        # We see the COMPLETE message 3 times
                        # wait till the last one to end listening
                        # for new messages.
                        completed += 1
                        if completed >= NUM_PLAYBOOKS:
                            return (to_disp['msg']['TS'], task_report)
            except KeyError:
                print "Failed to print status from message: {}".format(to_disp)
513 514 515 516 517 518 519 520 521 522 523 524 525

        if not messages:
            # wait 1 second between sqs polls
            time.sleep(1)


def create_ami(instance_id, name, description):

    params = {'instance_id': instance_id,
              'name': name,
              'description': description,
              'no_reboot': True}

Feanil Patel committed
526
    AWS_API_WAIT_TIME = 1
527
    image_id = ec2.create_image(**params)
Feanil Patel committed
528
    print("Checking if image is ready.")
529 530 531 532
    for _ in xrange(AMI_TIMEOUT):
        try:
            img = ec2.get_image(image_id)
            if img.state == 'available':
Feanil Patel committed
533
                print("Tagging image.")
534
                img.add_tag("environment", args.environment)
Feanil Patel committed
535
                time.sleep(AWS_API_WAIT_TIME)
536
                img.add_tag("deployment", args.deployment)
Feanil Patel committed
537
                time.sleep(AWS_API_WAIT_TIME)
538
                img.add_tag("play", args.play)
Feanil Patel committed
539
                time.sleep(AWS_API_WAIT_TIME)
540
                conf_tag = "{} {}".format("http://github.com/edx/configuration", args.configuration_version)
541
                img.add_tag("version:configuration", conf_tag)
Feanil Patel committed
542
                time.sleep(AWS_API_WAIT_TIME)
543
                conf_secure_tag = "{} {}".format(args.configuration_secure_repo, args.configuration_secure_version)
544
                img.add_tag("version:configuration_secure", conf_secure_tag)
Feanil Patel committed
545
                time.sleep(AWS_API_WAIT_TIME)
546
                img.add_tag("cache_id", args.cache_id)
Feanil Patel committed
547
                time.sleep(AWS_API_WAIT_TIME)
548 549 550 551 552 553

                # Get versions from the instance.
                tags = ec2.get_all_tags(filters={'resource-id': instance_id})
                for tag in tags:
                    if tag.name.startswith('version:'):
                        img.add_tag(tag.name, tag.value)
554
                        time.sleep(AWS_API_WAIT_TIME)
Feanil Patel committed
555
                break
556 557
            else:
                time.sleep(1)
558
        except EC2ResponseError as e:
559 560 561 562 563 564 565 566 567
            if e.error_code == 'InvalidAMIID.NotFound':
                time.sleep(1)
            else:
                raise Exception("Unexpected error code: {}".format(
                    e.error_code))
            time.sleep(1)
    else:
        raise Exception("Timeout waiting for AMI to finish")

568
    return image_id
John Jarvis committed
569

John Jarvis committed
570

571 572 573 574 575 576 577 578 579 580 581 582 583 584 585
def launch_and_configure(ec2_args):
    """
    Creates an sqs queue, launches an ec2 instance,
    configures it and creates an AMI. Polls
    SQS for updates
    """

    print "{:<40}".format(
        "Creating SQS queue and launching instance for {}:".format(run_id))
    print
    for k, v in ec2_args.iteritems():
        if k != 'user_data':
            print "    {:<25}{}".format(k, v)
    print

586 587
    global sqs_queue
    global instance_id
588 589 590 591 592
    sqs_queue = sqs.create_queue(run_id)
    sqs_queue.set_message_class(RawMessage)
    res = ec2.run_instances(**ec2_args)
    inst = res.instances[0]
    instance_id = inst.id
593

e0d committed
594 595
    print "{:<40}".format(
        "Waiting for instance {} to reach running status:".format(instance_id)),
596 597
    status_start = time.time()
    for _ in xrange(EC2_RUN_TIMEOUT):
598 599 600 601 602 603 604 605 606 607
        try:
            res = ec2.get_all_instances(instance_ids=[instance_id])
        except EC2ResponseError as e:
            if e.code == "InvalidInstanceID.NotFound":
                print("Instance not found({}), will try again.".format(
                    instance_id))
                time.sleep(1)
                continue
            else:
                raise(e)
608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667
        if res[0].instances[0].state == 'running':
            status_delta = time.time() - status_start
            run_summary.append(('EC2 Launch', status_delta))
            print "[ OK ] {:0>2.0f}:{:0>2.0f}".format(
                status_delta / 60,
                status_delta % 60)
            break
        else:
            time.sleep(1)
    else:
        raise Exception("Timeout waiting for running status: {} ".format(
            instance_id))

    print "{:<40}".format("Waiting for system status:"),
    system_start = time.time()
    for _ in xrange(EC2_STATUS_TIMEOUT):
        status = ec2.get_all_instance_status(inst.id)
        if status[0].system_status.status == u'ok':
            system_delta = time.time() - system_start
            run_summary.append(('EC2 Status Checks', system_delta))
            print "[ OK ] {:0>2.0f}:{:0>2.0f}".format(
                system_delta / 60,
                system_delta % 60)
            break
        else:
            time.sleep(1)
    else:
        raise Exception("Timeout waiting for status checks: {} ".format(
            instance_id))

    print
    print "{:<40}".format(
        "Waiting for user-data, polling sqs for Ansible events:")

    (ansible_delta, task_report) = poll_sqs_ansible()
    run_summary.append(('Ansible run', ansible_delta))
    print
    print "{} longest Ansible tasks (seconds):".format(NUM_TASKS)
    for task in sorted(
            task_report, reverse=True,
            key=lambda k: k['DELTA'])[:NUM_TASKS]:
        print "{:0>3.0f} {}".format(task['DELTA'], task['TASK'])
        print "  - {}".format(task['INVOCATION'])
    print

    print "{:<40}".format("Creating AMI:"),
    ami_start = time.time()
    ami = create_ami(instance_id, run_id, run_id)
    ami_delta = time.time() - ami_start
    print "[ OK ] {:0>2.0f}:{:0>2.0f}".format(
        ami_delta / 60,
        ami_delta % 60)
    run_summary.append(('AMI Build', ami_delta))
    total_time = time.time() - start_time
    all_stages = sum(run[1] for run in run_summary)
    if total_time - all_stages > 0:
        run_summary.append(('Other', total_time - all_stages))
    run_summary.append(('Total', total_time))

    return run_summary, ami
668

John Jarvis committed
669

e0d committed
670
def send_hipchat_message(message):
671
    print(message)
e0d committed
672 673 674 675 676
    #If hipchat is configured send the details to the specified room
    if args.hipchat_api_token and args.hipchat_room_id:
        import hipchat
        try:
            hipchat = hipchat.HipChat(token=args.hipchat_api_token)
John Jarvis committed
677 678
            hipchat.message_room(args.hipchat_room_id, 'AbbeyNormal',
                                 message)
e0d committed
679 680
        except Exception as e:
            print("Hipchat messaging resulted in an error: %s." % e)
e0d committed
681

682 683 684 685 686 687 688 689 690 691 692
if __name__ == '__main__':

    args = parse_args()

    run_summary = []

    start_time = time.time()

    if args.vars:
        with open(args.vars) as f:
            extra_vars_yml = f.read()
693
            extra_vars = yaml.load(extra_vars_yml)
694
    else:
695
        extra_vars_yml = ""
696
        extra_vars = {}
697

698
    if args.secure_vars_file:
699 700
        # explicit path to a single
        # secure var file
701
        secure_vars_file = args.secure_vars_file
702
    else:
703
        secure_vars_file = 'false'
704

705 706 707 708 709 710 711 712
    if args.stack_name:
        stack_name = args.stack_name
    else:
        stack_name = "{}-{}".format(args.environment, args.deployment)

    try:
        ec2 = boto.ec2.connect_to_region(args.region)
    except NoAuthHandlerFound:
713 714 715 716 717 718 719
        print 'Unable to connect to ec2 in region :{}'.format(args.region)
        sys.exit(1)

    try:
        sqs = boto.sqs.connect_to_region(args.region)
    except NoAuthHandlerFound:
        print 'Unable to connect to sqs in region :{}'.format(args.region)
720 721
        sys.exit(1)

722 723 724 725 726
    if args.blessed:
        base_ami = get_blessed_ami()
    else:
        base_ami = args.base_ami

727
    error_in_abbey_run = False
728 729 730 731
    try:
        sqs_queue = None
        instance_id = None

Feanil Patel committed
732
        run_id = "{}-abbey-{}-{}-{}".format(
733
            int(time.time() * 100), args.environment, args.deployment, args.play)
734 735 736

        ec2_args = create_instance_args()

737
        if args.noop:
John Jarvis committed
738 739
            print "Would have created sqs_queue with id: {}\nec2_args:".format(
                run_id)
740 741
            pprint(ec2_args)
            ami = "ami-00000"
742
        else:
743 744 745 746 747 748 749 750
            run_summary, ami = launch_and_configure(ec2_args)
            print
            print "Summary:\n"

            for run in run_summary:
                print "{:<30} {:0>2.0f}:{:0>5.2f}".format(
                    run[0], run[1] / 60, run[1] % 60)
            print "AMI: {}".format(ami)
e0d committed
751

John Jarvis committed
752 753 754 755 756
            message = 'Finished baking AMI {image_id} for {environment} {deployment} {play}.'.format(
                image_id=ami,
                environment=args.environment,
                deployment=args.deployment,
                play=args.play)
e0d committed
757 758

            send_hipchat_message(message)
e0d committed
759
    except Exception as e:
e0d committed
760
        message = 'An error occurred building AMI for {environment} ' \
e0d committed
761
            '{deployment} {play}.  The Exception was {exception}'.format(
e0d committed
762 763
                environment=args.environment,
                deployment=args.deployment,
e0d committed
764 765
                play=args.play,
                exception=repr(e))
e0d committed
766
        send_hipchat_message(message)
767
        error_in_abbey_run = True
768 769
    finally:
        print
770
        if not args.no_cleanup and not args.noop:
771 772 773 774 775 776
            if sqs_queue:
                print "Cleaning up - Removing SQS queue - {}".format(run_id)
                sqs.delete_queue(sqs_queue)
            if instance_id:
                print "Cleaning up - Terminating instance ID - {}".format(
                    instance_id)
777 778 779
            # Check to make sure we have an instance id.
            if instance_id:
                ec2.terminate_instances(instance_ids=[instance_id])
780 781
        if error_in_abbey_run:
            exit(1)