added the rotate-ssh-keys file; updated README
This commit is contained in:
parent
2806dda5f1
commit
350d595ac6
23
README.md
23
README.md
@ -1,10 +1,23 @@
|
||||
### AWS Tools
|
||||
|
||||
#### rotate-keys
|
||||
rotates the aws keys and updates the ~/.aws/credentials file with the new values
|
||||
Rotates the AWS keys and updates the ~/.aws/credentials file with the new values.
|
||||
|
||||
suggestions for features:
|
||||
* option to delete the old key when only one key is found
|
||||
* create an encrypted credentials file and commit to a repository
|
||||
* make it run as a daemon with a value to rotate the keys based on a schedule
|
||||
Suggestions for features:
|
||||
* Option to delete the old key when only one key is found
|
||||
* Create an encrypted credentials file and commit to a repository
|
||||
* Make it run as a daemon with a value to rotate the keys based on a schedule
|
||||
|
||||
|
||||
#### rotate-ssh-keys
|
||||
Rotates the SSH keys matching a prefix key name. The new key parts are written
|
||||
out to two files in the local directory based on the key name provides. The public
|
||||
key has the `.pub` extension. Right now, it only creates and uploads a new key
|
||||
to AWS.
|
||||
|
||||
Suggestions for features:
|
||||
* Automatically push the public key to all EC2 instances using the old keys
|
||||
* Have the script run as a service based on a determined key lifecycle
|
||||
* Allow for the selection of location for the new key files including options
|
||||
to push to a source other than a filesystem
|
||||
|
||||
|
224
rotate-ssh-keys
Executable file
224
rotate-ssh-keys
Executable file
@ -0,0 +1,224 @@
|
||||
#!/usr/bin/env python3
|
||||
|
||||
import argparse
|
||||
import logging
|
||||
import boto3
|
||||
import time
|
||||
|
||||
from cryptography.hazmat.primitives import serialization as crypto_serialization
|
||||
from cryptography.hazmat.primitives.asymmetric import rsa
|
||||
from cryptography.hazmat.backends import default_backend as crypto_default_backend
|
||||
|
||||
def parse_args():
|
||||
"""
|
||||
Parse the arguments passed
|
||||
"""
|
||||
argp = argparser.ArgumentParser()
|
||||
argp.add_argument('--debug', help="Run in debug mode")
|
||||
|
||||
argp.add_argument(
|
||||
'-p', '--profile',
|
||||
help="AWS profile name"
|
||||
)
|
||||
|
||||
argp.add_argument(
|
||||
'-r', '--role-arn',
|
||||
help="Role ARN with key access to the AWS account"
|
||||
)
|
||||
|
||||
argp.add_argument(
|
||||
'-s', '--key-size',
|
||||
type=int,
|
||||
default=2048,
|
||||
help="Key size in bytes (default: 2048)"
|
||||
)
|
||||
|
||||
argp.add_argument(
|
||||
'-n', '--key-name-prefix',
|
||||
default="",
|
||||
help="String to use for the new key name and searching for existing keys"
|
||||
)
|
||||
|
||||
return args.parse_args()
|
||||
|
||||
|
||||
def get_session(profile_name=None, role_arn=None, region_name='us-east-1'):
|
||||
"""
|
||||
Using either an AWS profile name or a role ARN, this will return a valid session
|
||||
object. If neither are provided, it will default to built-in behavoir to find
|
||||
credentials for establishing a valid session. Region can be chosen as well.
|
||||
|
||||
Args:
|
||||
profile_name: Name of an AWS profile in a local ~/.aws/credentials file
|
||||
role_arn: Full ARN of the role to establish the session
|
||||
region_name: Override for choosing a different region
|
||||
Returns:
|
||||
A session object to access AWS client and resource objects.
|
||||
"""
|
||||
if profile_name:
|
||||
session = boto3.session.Session(profile_name=profile_name, region_name=region_name)
|
||||
elif role_arn:
|
||||
sts = boto3.client('sts')
|
||||
role_creds = sts.assume_role(RoleArn=role_arn, RoleSessionName='params-patching')['Credentials']
|
||||
session = boto3.session.Session(
|
||||
aws_access_key_id=role_creds['AccessKeyId'],
|
||||
aws_secret_access_key=role_creds['SecretAccessKey'],
|
||||
aws_session_token=role_creds['SessionToken'],
|
||||
region_name=region_name
|
||||
)
|
||||
else:
|
||||
session = boto3.session.Session(region_name=region_name)
|
||||
|
||||
return session
|
||||
|
||||
|
||||
def generate_ssh_keypair(key_size=2048, public_exponent=65537):
|
||||
"""
|
||||
This will generate RSA SSH keys based on the key size
|
||||
passed to the function defaulting to 2k sizes.
|
||||
|
||||
The public exponent should remain as the default of
|
||||
65537 based on the first answer to the Stack Exchange
|
||||
first answer in the link below and the understanding
|
||||
of Fermat primes (in the second link). A smaller value
|
||||
of the public exponent could be used but is not
|
||||
recommended. Do not adjust without understanding the
|
||||
effects on the key's security.
|
||||
|
||||
- https://security.stackexchange.com/questions/2335/should-rsa-public-exponent-be-only-in-3-5-17-257-or-65537-due-to-security-c
|
||||
- https://en.wikipedia.org/wiki/Fermat_number#Primality_of_Fermat_numbers
|
||||
|
||||
Args:
|
||||
key_size: Integer in bytes for size of the key
|
||||
public_exponent: Integer value to seed the creation of the key
|
||||
Returns:
|
||||
The returning value is a tuple of the public and private
|
||||
keys in byte form, respectively.
|
||||
"""
|
||||
log.info("Generating a new key pair")
|
||||
log.debug(f"key_size: {key_size}, public_exponent: {public_exponent}")
|
||||
|
||||
key = rsa.generate_private_key(
|
||||
backend=crypto_default_backend(),
|
||||
public_exponent=public_exponent,
|
||||
key_size=key_size
|
||||
)
|
||||
|
||||
log.debug(f"key = {key}")
|
||||
|
||||
private_key = key.private_bytes(
|
||||
crypto_serialization.Encoding.PEM,
|
||||
crypto_serialization.PrivateFormat.PKCS8,
|
||||
crypto_serialization.NoEncryption()
|
||||
)
|
||||
|
||||
log.debug(f"private_key = {private_key}")
|
||||
|
||||
public_key = key.public_key().public_bytes(
|
||||
crypto_serialization.Encoding.OpenSSH,
|
||||
crypto_serialization.PublicFormat.OpenSSH
|
||||
)
|
||||
|
||||
log.debug(f"public_key = {public_key}")
|
||||
|
||||
return (public_key, private_key)
|
||||
|
||||
|
||||
def get_existing_keypair(session, prefix=""):
|
||||
"""
|
||||
Get the existing keypairs with the optional filter
|
||||
for a specific prefix of the key name
|
||||
|
||||
Args:
|
||||
session: An AWS session object to establish access to the AWS account
|
||||
prefix: String value as prefix to the name of the key
|
||||
Returns:
|
||||
List of dicts of keypairs matching the prefix
|
||||
"""
|
||||
log.debug("Getting session client for EC2")
|
||||
ec2_client = session.client('ec2')
|
||||
|
||||
log.info("Getting existing keypairs")
|
||||
existing_keypairs = ec2_client.describe_key_pairs()['KeyPairs']
|
||||
|
||||
if prefix:
|
||||
log.info("Filtering out relevant keypairs")
|
||||
matching_keypairs = []
|
||||
|
||||
for keypair in existing_keypairs:
|
||||
if keypair['KeyName'].startswith(prefix):
|
||||
matching_keypairs.append(keypair)
|
||||
|
||||
else:
|
||||
matching_keypairs = existing_keypairs
|
||||
|
||||
return existing_keypairs
|
||||
|
||||
|
||||
def upload_key(session, key_name, public_key):
|
||||
"""
|
||||
Will upload the public key to the AWS account with
|
||||
the provided name.
|
||||
|
||||
Args:
|
||||
session: An AWS session object to establish access to the AWS account
|
||||
key_name: Name for the keypair
|
||||
public_key: Public key of the new keypair in bytes
|
||||
Returns:
|
||||
Key fingerprint if successful
|
||||
"""
|
||||
fingerprint = ""
|
||||
|
||||
log.debug("Getting session client for EC2")
|
||||
ec2_client = session.client('ec2')
|
||||
|
||||
try:
|
||||
log.info("Uploading the key")
|
||||
response = ec2_client.import_key_pair(KeyName=key_name, PublicKeyMaterial=public_key)
|
||||
fingerprint = response['KeyFingerprint']
|
||||
log.info(f"Key fingerprint: {fingerprint}")
|
||||
except Exception as error:
|
||||
log.error("Failed to upload key: {error}")
|
||||
|
||||
return fingerprint
|
||||
|
||||
|
||||
def main():
|
||||
args = parse_args()
|
||||
|
||||
if args.debug:
|
||||
log.setLevel(logging.DEBUG)
|
||||
|
||||
log.info("Beginnging to generate new SSH key")
|
||||
|
||||
session = get_session()
|
||||
|
||||
# create the new key pair in memory
|
||||
public_key, private_key = generate_ssh_key(args.key_size)
|
||||
|
||||
# write the key values to files
|
||||
log.info(f"Exporting the public key to {key_name}.pub")
|
||||
with open(f"{key_name}.pub", 'w') as fp:
|
||||
fp.write(public_key.decode('utf-8'))
|
||||
|
||||
log.info(f"Exporting the private key to file {key_name}")
|
||||
with open(key_name, 'w') as fp:
|
||||
fp.write(private_key.decode('utf-8'))
|
||||
|
||||
# this list is for rotating the older keys out of circulation
|
||||
existing_keypairs = get_existing_keypairs(session, args.key_name_prefix)
|
||||
|
||||
# get epoch of UTC time for the extension to make the name unique
|
||||
epoch_time = time.strftime("%s", time.gmtime())
|
||||
key_name = f"{args.key_name_prefix}-{epoch_time}"
|
||||
log.debug(f"key_name = {key_name}")
|
||||
|
||||
# upload the new keypair to AWS account
|
||||
fingerprint = upload_key(session, key_name, public_key)
|
||||
|
||||
log.info("Complete")
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
main()
|
||||
|
Loading…
Reference in New Issue
Block a user