Skip to content
This repository has been archived by the owner on Aug 22, 2023. It is now read-only.

Commit

Permalink
Merge pull request #18 from outime/issue-16
Browse files Browse the repository at this point in the history
#16 Interactive mode
  • Loading branch information
tuxlife authored Jun 27, 2016
2 parents 1b3a817 + ea072d9 commit 4680ad5
Show file tree
Hide file tree
Showing 4 changed files with 154 additions and 8 deletions.
79 changes: 71 additions & 8 deletions piu/cli.py
Original file line number Diff line number Diff line change
Expand Up @@ -5,18 +5,22 @@

import click
import datetime
import operator
import configparser
import ipaddress
import json
import os
import subprocess
import requests
import boto3
import socket
import sys
import time
import yaml
import zign.api

from clickclick import error, AliasedGroup, print_table, OutputFormat
from .error_handling import handle_exceptions

import piu

Expand Down Expand Up @@ -177,24 +181,32 @@ def cli(ctx, config_file):


@cli.command('request-access')
@click.argument('host', metavar='[USER]@HOST')
@click.argument('reason')
@click.argument('reason_cont', nargs=-1, metavar='[..]')
@click.argument('host', metavar='[USER]@HOST', required=False)
@click.argument('reason', required=False)
@click.argument('reason_cont', nargs=-1, metavar='[..]', required=False)
@click.option('-U', '--user', help='Username to use for OAuth2 authentication', envvar='PIU_USER', metavar='NAME')
@click.option('-p', '--password', help='Password to use for OAuth2 authentication',
envvar='PIU_PASSWORD', metavar='PWD')
@click.option('-E', '--even-url', help='Even SSH Access Granting Service URL', envvar='EVEN_URL', metavar='URI')
@click.option('-O', '--odd-host', help='Odd SSH bastion hostname', envvar='ODD_HOST', metavar='HOSTNAME')
@click.option('-t', '--lifetime', help='Lifetime of the SSH access request in minutes (default: 60)',
type=click.IntRange(1, 525600, clamp=True))
@click.option('--interactive', help='Offers assistance', envvar='PIU_INTERACTIVE', is_flag=True, default=False)
@click.option('--insecure', help='Do not verify SSL certificate', is_flag=True, default=False)
@click.option('--clip', is_flag=True, help='Copy SSH command into clipboard', default=False)
@click.option('--connect', is_flag=True, help='Directly connect to the host', default=False)
@click.option('--clip', help='Copy SSH command into clipboard', is_flag=True, default=False)
@click.option('--connect', help='Directly connect to the host', envvar='PIU_CONNECT', is_flag=True, default=False)
@click.pass_obj
def request_access(obj, host, user, password, even_url, odd_host, reason, reason_cont, insecure, lifetime,
clip, connect):
def request_access(obj, host, reason, reason_cont, user, password, even_url, odd_host, lifetime, interactive,
insecure, clip, connect):
'''Request SSH access to a single host'''

if interactive:
host, reason = request_access_interactive()
if not host:
raise click.UsageError('Missing argument "host".')
if not reason:
raise click.UsageError('Missing argument "reason".')

user = user or zign.api.get_config().get('user') or os.getenv('USER')

parts = host.split('@')
Expand Down Expand Up @@ -268,6 +280,57 @@ def request_access(obj, host, user, password, even_url, odd_host, reason, reason
sys.exit(return_code)


def get_region():
aws_default_region_envvar = os.getenv('AWS_DEFAULT_REGION')
if aws_default_region_envvar:
return aws_default_region_envvar

config = configparser.ConfigParser()
try:
config.read(os.path.expanduser('~/.aws/config'))
if 'default' in config:
region = config['default']['region']
return region
except:
return ''


def request_access_interactive():
region = click.prompt('AWS region', default=get_region())
ec2 = boto3.resource('ec2', region_name=region)
reservations = ec2.instances.filter(
Filters=[{'Name': 'instance-state-name', 'Values': ['running']}])
name = stack_name = stack_version = None
instance_list = []
for r in reservations:
tags = r.tags
if not tags:
continue
for d in tags:
d_k, d_v = d['Key'], d['Value']
if d_k == 'Name':
name = d_v
elif d_k == 'StackName':
stack_name = d_v
elif d_k == 'StackVersion':
stack_version = d_v
if name and stack_name and stack_version:
instance_list.append({'name': name, 'stack_name': stack_name, 'stack_version': stack_version,
'instance_id': r.instance_id, 'private_ip': r.private_ip_address})
instance_count = len(instance_list)
sorted_instance_list = sorted(instance_list, key=operator.itemgetter('stack_name', 'stack_version'))
{d.update({'index': idx}) for idx, d in enumerate(sorted_instance_list, start=1)}
print()
print_table('index name stack_name stack_version private_ip instance_id'.split(), sorted_instance_list)
print()
allowed_choices = ["{}".format(n) for n in range(1, instance_count + 1)]
instance_index = int(click.prompt('Choose an instance (1-{})'.format(instance_count),
type=click.Choice(allowed_choices))) - 1
host = sorted_instance_list[instance_index]['private_ip']
reason = click.prompt('Reason', default='Troubleshooting')
return (host, reason)


@cli.command('list-access-requests')
@click.option('-u', '--user', help='Filter by username', metavar='NAME')
@click.option('-O', '--odd-host', help='Odd SSH bastion hostname (default: my configured odd host)',
Expand Down Expand Up @@ -307,7 +370,7 @@ def list_access_requests(obj, user, odd_host, status, limit, offset, output):


def main():
cli()
handle_exceptions(cli)()

if __name__ == '__main__':
main()
60 changes: 60 additions & 0 deletions piu/error_handling.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,60 @@
import functools
import sys
from tempfile import NamedTemporaryFile
from traceback import format_exception

from botocore.exceptions import ClientError, NoCredentialsError


def store_exception(exception: Exception) -> str:
"""
Stores the exception in a temporary file and returns its filename
"""

tracebacks = format_exception(etype=type(exception),
value=exception,
tb=exception.__traceback__) # type: [str]

content = ''.join(tracebacks)

with NamedTemporaryFile(prefix="piu-traceback-", delete=False) as error_file:
file_name = error_file.name
error_file.write(content.encode())

return file_name


def is_credentials_expired_error(e: ClientError) -> bool:
return e.response['Error']['Code'] in ['ExpiredToken', 'RequestExpired']


def handle_exceptions(func):
@functools.wraps(func)
def wrapper():
try:
func()
except NoCredentialsError as e:
print('No AWS credentials found. Use the "mai" command-line tool to get a temporary access key\n'
'or manually configure either ~/.aws/credentials or AWS_ACCESS_KEY_ID/AWS_SECRET_ACCESS_KEY.',
file=sys.stderr)
sys.exit(1)
except ClientError as e:
sys.stdout.flush()
if is_credentials_expired_error(e):
print('AWS credentials have expired.\n'
'Use the "mai" command line tool to get a new temporary access key.',
file=sys.stderr)
sys.exit(1)
else:
file_name = store_exception(e)
print('Unknown Error.\n'
'Please create an issue with the content of {fn}'.format(fn=file_name))
sys.exit(1)
except Exception as e:
# Catch All

file_name = store_exception(e)
print('Unknown Error.\n'
'Please create an issue with the content of {fn}'.format(fn=file_name))
sys.exit(1)
return wrapper
2 changes: 2 additions & 0 deletions requirements.txt
Original file line number Diff line number Diff line change
Expand Up @@ -3,3 +3,5 @@ PyYAML
requests
pyperclip
stups-zign>=0.16
boto3>=1.3.0
botocore>=1.4.10
21 changes: 21 additions & 0 deletions tests/test_cli.py
Original file line number Diff line number Diff line change
Expand Up @@ -150,3 +150,24 @@ def mock__request_access(even_url, cacert, username, first_host, reason,

with runner.isolated_filesystem():
result = runner.invoke(cli, ['request-access'], catch_exceptions=False)


def test_interactive_success(monkeypatch):
ec2 = MagicMock()
request_access = MagicMock()

response = []
response.append(MagicMock(**{'instance_id': 'i-123456', 'private_ip_address': '172.31.10.10', 'tags': [{'Key': 'Name', 'Value': 'stack1-0o1o0'}, {'Key': 'StackVersion', 'Value': '0o1o0'}, {'Key': 'StackName', 'Value': 'stack1'}]}))
response.append(MagicMock(**{'instance_id': 'i-789012', 'private_ip_address': '172.31.10.20', 'tags': [{'Key': 'Name', 'Value': 'stack2-0o1o0'}, {'Key': 'StackVersion', 'Value': '0o2o0'}, {'Key': 'StackName', 'Value': 'stack2'}]}))
ec2.instances.filter = MagicMock(return_value=response)
boto3 = MagicMock()
monkeypatch.setattr('boto3.resource', MagicMock(return_value=ec2))
monkeypatch.setattr('piu.cli._request_access', MagicMock(side_effect=request_access))

runner = CliRunner()
input_stream = '\n'.join(['eu-west-1', '1', 'Troubleshooting']) + '\n'

with runner.isolated_filesystem():
result = runner.invoke(cli, ['request-access', '--interactive'], input=input_stream, catch_exceptions=False)

assert request_access.called

0 comments on commit 4680ad5

Please sign in to comment.