コード例 #1
0
def update_aardvark_data(aardvark_data, roles):
    """
    Update Aardvark data for a given set of roles by looking for the ARN in the aardvark data dict.
    If the ARN is in Aardvark data update the role's aa_data attribute and Dynamo.

    Args:
        aardvark_data (dict): A dict of Aardvark data from an account
        roles (Roles): a list of all the role objects to update data for

    Returns:
        None
    """
    for role in roles:
        if role.arn in aardvark_data:
            role.aa_data = aardvark_data[role.arn]
        try:
            DYNAMO_TABLE.update_item(Key={'RoleId': role.role_id},
                                     UpdateExpression="SET AAData=:aa_data",
                                     ExpressionAttributeValues={
                                         ":aa_data":
                                         _empty_string_to_dynamo_replace(
                                             role.aa_data)
                                     })
        except BotoClientError as e:
            from repokid.repokid import LOGGER
            LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #2
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def update_stats(source='Scan', roleID=None):
    from repokid.repokid import CUR_ACCOUNT_NUMBER

    for roleID, role_data in (
        {
            roleID: _get_role_data(roleID)
        }.items() if roleID else
            get_data_for_active_roles_in_account(CUR_ACCOUNT_NUMBER).items()):
        cur_stats = {
            'Date': datetime.utcnow().isoformat(),
            'DisqualifiedBy': role_data.get('DisqualifiedBy', []),
            'PermissionsCount': role_data['TotalPermissions'],
            'Source': source
        }

        try:
            DYNAMO_TABLE.update_item(
                Key={'RoleId': roleID},
                UpdateExpression=("SET #statsarray = list_append(if_not_exists"
                                  "(#statsarray, :empty_list), :stats)"),
                ExpressionAttributeNames={"#statsarray": "Stats"},
                ExpressionAttributeValues={
                    ":empty_list": [],
                    ":stats": [cur_stats]
                })

        except BotoClientError as e:
            from repokid.repokid import LOGGER
            LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #3
0
def role_ids_for_account(account_number):
    """
    Get a list of all role IDs in a given account by querying the Dynamo secondary index 'account'

    Args:
        account_number (string)

    Returns:
        list: role ids in given account
    """
    role_ids = set()
    try:
        results = DYNAMO_TABLE.query(
            IndexName='Account',
            ProjectionExpression='RoleId',
            KeyConditionExpression='Account = :act',
            ExpressionAttributeValues={':act': account_number})
        role_ids.update(
            [return_dict['RoleId'] for return_dict in results.get('Items')])

        while 'LastEvaluatedKey' in results:
            results = DYNAMO_TABLE.query(
                IndexName='Account',
                ProjectionExpression='RoleId',
                KeyConditionExpression='Account = :act',
                ExpressionAttributeValues={':act': account_number},
                ExclusiveStartKey=results.get('LastEvaluatedKey'))
            role_ids.update([
                return_dict['RoleId'] for return_dict in results.get('Items')
            ])
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))

    return role_ids
コード例 #4
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def update_aardvark_data(account, aardvark_data):
    """
    Given a blob of data from Aardvark, update the Aardvark data for all roles in the account
    """
    # Aardvark data is by ARN, we need to first get the active role ID since ARNs are resuable.

    # a secondary index of ARN --> RoleID might be another way to solve this,
    # but creating secondary index didn't work in testing.  Plenty of stuff like this:
    # https://forums.aws.amazon.com/thread.jspa?threadID=220139

    # so we'll start with getting active ARN -> role mapping by listing accounts and looking for active
    ARNtoRoleID = {}
    for roleID in roles_for_account(account):
        role_data = _get_role_data(roleID)
        if role_data['Active']:
            ARNtoRoleID[role_data['Arn']] = role_data['RoleId']

    for arn, aa_data in aardvark_data.items():
        try:
            DYNAMO_TABLE.update_item(
                Key={'RoleId': ARNtoRoleID[arn]},
                UpdateExpression="SET AAData=:aa_data",
                ExpressionAttributeValues={
                    ":aa_data": _empty_string_to_dynamo_replace(aa_data)
                })
        except KeyError:
            # if we get here we have AA data for a role we don't know about or an inactive role, either way it's fine
            pass
        except BotoClientError as e:
            from repokid.repokid import LOGGER
            LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #5
0
def update_stats(roles, source='Scan'):
    """
    Create a new stats entry for each role in a set of roles and add it to Dynamo

    Args:
        roles (Roles): a list of all the role objects to update data for
        source (string): the source of the new stats data (repo, scan, etc)

    Returns:
        None
    """
    for role in roles:
        cur_stats = {
            'Date': datetime.utcnow().isoformat(),
            'DisqualifiedBy': role.disqualified_by,
            'PermissionsCount': role.total_permissions,
            'Source': source
        }

        try:
            DYNAMO_TABLE.update_item(
                Key={'RoleId': role.role_id},
                UpdateExpression=("SET #statsarray = list_append(if_not_exists"
                                  "(#statsarray, :empty_list), :stats)"),
                ExpressionAttributeNames={"#statsarray": "Stats"},
                ExpressionAttributeValues={
                    ":empty_list": [],
                    ":stats": [cur_stats]
                })

        except BotoClientError as e:
            from repokid.repokid import LOGGER
            LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #6
0
def role_ids_for_all_accounts():
    """
    Get a list of all role IDs for all accounts by scanning the Dynamo table

    Args:
        None

    Returns:
        list: role ids in all accounts
    """
    role_ids = []

    try:
        response = DYNAMO_TABLE.scan(ProjectionExpression='RoleId')
        role_ids.extend(
            [role_dict['RoleId'] for role_dict in response['Items']])

        while 'LastEvaluatedKey' in response:
            response = DYNAMO_TABLE.scan(
                ProjectionExpression='RoleId',
                ExclusiveStartKey=response['LastEvaluatedKey'])
            role_ids.extend(
                [role_dict['RoleId'] for role_dict in response['Items']])
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))

    return role_ids
コード例 #7
0
def _get_role_data(roleID, fields=None):
    """
    Get raw role data as a dictionary for a given role by ID
    Do not use for data presented to the user because this data still has dynamo empty string placeholders, use
    get_role_data() instead

    Args:
        roleID (string)

    Returns:
        dict: data for the role if it exists, else None
    """
    try:
        if fields:
            response = DYNAMO_TABLE.get_item(Key={'RoleId': roleID},
                                             AttributesToGet=fields)
        else:
            response = DYNAMO_TABLE.get_item(Key={'RoleId': roleID})
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
    else:
        if 'Item' in response:
            return response['Item']
        else:
            return None
コード例 #8
0
def update_repoable_data(roles):
    """
    Update total permissions and repoable permissions count and a list of repoable services in Dynamo for each role

    Args:
        roles (Roles): a list of all the role objects to update data for

    Returns:
        None
    """
    for role in roles:
        try:
            DYNAMO_TABLE.update_item(
                Key={'RoleId': role.role_id},
                UpdateExpression=(
                    "SET TotalPermissions=:tp, RepoablePermissions=:rp, "
                    "RepoableServices=:rs"),
                ExpressionAttributeValues={
                    ":tp": role.total_permissions,
                    ":rp": role.repoable_permissions,
                    ":rs": role.repoable_services
                })
        except BotoClientError as e:
            from repokid.repokid import LOGGER
            LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #9
0
def find_and_mark_inactive(account_number, active_roles):
    """
    Mark roles in the account that aren't currently active inactive. Do this by getting all roles in the account and
    subtracting the active roles, any that are left are inactive and should be marked thusly.

    Args:
        account_number (string)
        active_roles (set): the currently active roles discovered in the most recent scan

    Returns:
        None
    """
    from repokid.repokid import LOGGER
    active_roles = set(active_roles)
    known_roles = set(role_ids_for_account(account_number))
    inactive_roles = known_roles - active_roles

    for roleID in inactive_roles:
        role_dict = _get_role_data(roleID, fields=['Active', 'Arn'])
        if role_dict['Active']:
            try:
                DYNAMO_TABLE.update_item(
                    Key={'RoleId': roleID},
                    UpdateExpression="SET Active = :false",
                    ExpressionAttributeValues={":false": False})
            except BotoClientError as e:
                LOGGER.error('Dynamo table error: {}'.format(e))
            else:
                LOGGER.info('Marked role ({}): {} inactive'.format(
                    roleID, role_dict['Arn']))
コード例 #10
0
 def apply(self, input_list):
     blacklisted_roles = []
     for role in input_list:
         if role['RoleName'].lower() in self.overridden_role_names:
             blacklisted_roles.append(role)
             LOGGER.info('{name} in the role blacklist'.format(
                 name=role['RoleName']))
     return blacklisted_roles
コード例 #11
0
    def apply(self, input_list):
        lambda_roles = []

        for role in input_list:
            if 'lambda' in str(role['AssumeRolePolicyDocument']).lower():
                LOGGER.info('{name} looks like a lambda role.'.format(
                    name=role['RoleName']))
                lambda_roles.append(role)
        return list(lambda_roles)
コード例 #12
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def update_total_permissions(roleID, total_permissions):
    """Update total permissions for roleID"""
    try:
        DYNAMO_TABLE.update_item(
            Key={'RoleId': roleID},
            UpdateExpression="Set TotalPermissions=:tp",
            ExpressionAttributeValues={":tp": total_permissions})
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #13
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def update_filtered_roles(roles_filtered_list):
    """Update roles with information about which filter(s) disqualified them"""
    for roleID, filteredlist in roles_filtered_list.items():
        try:
            DYNAMO_TABLE.update_item(
                Key={'RoleId': roleID},
                UpdateExpression="SET DisqualifiedBy = :dqby",
                ExpressionAttributeValues={":dqby": filteredlist})
        except BotoClientError as e:
            from repokid.repokid import LOGGER
            LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #14
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def _refresh_updated_time(roleID):
    """Refresh a role's update time to now"""
    try:
        DYNAMO_TABLE.update_item(Key={'RoleId': roleID},
                                 UpdateExpression="SET Refreshed = :cur_time",
                                 ExpressionAttributeValues={
                                     ":cur_time":
                                     datetime.utcnow().isoformat()
                                 })
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #15
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def _get_role_data(roleID):
    """Get raw role data, not to be used externally because this data still has dynamo empty string placeholders"""
    try:
        response = DYNAMO_TABLE.get_item(Key={'RoleId': roleID})
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
    else:
        if 'Item' in response:
            return response['Item']
        else:
            return None
コード例 #16
0
ファイル: __init__.py プロジェクト: q1f3/repokid
    def __init__(self, config=None):
        self.config = config

        current_account = config.get('current_account') or None
        if not current_account:
            LOGGER.error('Unable to get current account for Blacklist Filter')

        overridden_role_names = set()
        overridden_role_names.update(
            [rolename.lower() for rolename in config.get(current_account, [])])
        overridden_role_names.update(
            [rolename.lower() for rolename in config.get('all', [])])
        self.overridden_role_names = overridden_role_names
コード例 #17
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def set_repoed(roleID):
    """Marks a role ID as repoed now"""
    try:
        DYNAMO_TABLE.update_item(
            Key={'RoleId': roleID},
            UpdateExpression="SET Repoed = :now, RepoableServices = :el",
            ExpressionAttributeValues={
                ":now": datetime.utcnow().isoformat(),
                ":el": []
            })
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #18
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def update_repoable_data(repoable_data):
    """Update total permissions, repoable permissions, and repoable services for an account"""
    for roleID, data in repoable_data.items():
        try:
            DYNAMO_TABLE.update_item(
                Key={'RoleId': roleID},
                UpdateExpression=(
                    "SET TotalPermissions=:tp, RepoablePermissions=:rp, "
                    "RepoableServices=:rs"),
                ExpressionAttributeValues={
                    ":tp": data['TotalPermissions'],
                    ":rp": data['RepoablePermissions'],
                    ":rs": data['RepoableServices']
                })
        except BotoClientError as e:
            from repokid.repokid import LOGGER
            LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #19
0
    def apply(self, input_list):
        now = datetime.datetime.now(tzlocal())
        try:
            days_delta = self.config['minimum_age']
        except KeyError:
            LOGGER.info('Minimum age not set in config, using default 90 days')
            days_delta = 90

        ago = datetime.timedelta(days=days_delta)

        too_young = []
        for role in input_list:
            if role['CreateDate'] > now - ago:
                LOGGER.info(
                    'Role {name} created too recently to cleanup. ({date})'.
                    format(name=role['RoleName'], date=role['CreateDate']))
                too_young.append(role)
        return too_young
コード例 #20
0
def update_role_data(role, current_policy):
    """
    Compare the current version of a policy for a role and what has been previously stored in Dynamo.
      - If current and new policy versions are different store the new version in Dynamo. Add any newly added
          permissions to temporary permission blacklist. Purge any old entries from permission blacklist.
      - Refresh the updated time on the role policy
      - If the role is completely new, store the first version in Dynamo
      - Updates the role with full history of policies, including current version

    Args:
        role (Role): current role being updated
        current_policy (dict): representation of the current policy version

    Returns:
        None
    """
    from repokid.repokid import LOGGER

    # policy_entry: source, discovered, policy
    stored_role = _get_role_data(role.role_id, fields=['Policies'])

    if stored_role:
        # is the policy list the same as the last we had?
        old_policy = _empty_string_from_dynamo_replace(
            stored_role['Policies'][-1]['Policy'])
        if current_policy != old_policy:
            add_new_policy_version(role, current_policy, 'Scan')
            LOGGER.info(
                '{} has different inline policies than last time, adding to role store'
                .format(role.arn))

            newly_added_permissions = repokid.repokid._find_newly_added_permissions(
                old_policy, current_policy)
        else:
            newly_added_permissions = set()

        update_no_repo_permissions(role, newly_added_permissions)
        _refresh_updated_time(role.role_id)
    else:
        _store_item(role, current_policy)
        LOGGER.info('Added new role ({}): {}'.format(role.role_id, role.arn))

    role.policies = get_role_data(role.role_id,
                                  fields=['Policies']).get('Policies', [])
コード例 #21
0
def update_filtered_roles(roles):
    """
    Update the disqualified by (applicable filters) in Dynamo for each role in a list of roles

    Args:
        roles (Roles)

    Returns:
        None
    """
    for role in roles:
        try:
            DYNAMO_TABLE.update_item(
                Key={'RoleId': role.role_id},
                UpdateExpression="SET DisqualifiedBy = :dqby",
                ExpressionAttributeValues={":dqby": role.disqualified_by})
        except BotoClientError as e:
            from repokid.repokid import LOGGER
            LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #22
0
def update_no_repo_permissions(role, newly_added_permissions):
    """
    Update Dyanmo entry for newly added permissions. Any that were newly detected get added with an expiration
    date of now plus the config setting for 'repo_requirements': 'exclude_new_permissions_for_days'. Expired entries
    get deleted. Also update the role object with the new no-repo-permissions.

    Args:
        role
        newly_added_permissions (set)

    Returns:
        None
    """
    current_ignored_permissions = _get_role_data(
        role.role_id,
        fields=['NoRepoPermissions']).get('NoRepoPermissions', {})
    new_ignored_permissions = {}

    current_time = int(time.time())
    new_perms_expire_time = current_time + (
        24 * 60 * 60 * repokid.repokid.CONFIG['repo_requirements'].get(
            'exclude_new_permissions_for_days', 14))

    # only copy non-expired items to the new dictionary
    for permission, expire_time in current_ignored_permissions.items():
        if expire_time > current_time:
            new_ignored_permissions[permission] = current_ignored_permissions[
                permission]

    for permission in newly_added_permissions:
        new_ignored_permissions[permission] = new_perms_expire_time

    role.no_repo_permissions = new_ignored_permissions

    try:
        DYNAMO_TABLE.update_item(
            Key={'RoleId': role.role_id},
            UpdateExpression="SET NoRepoPermissions=:nrp",
            ExpressionAttributeValues={":nrp": new_ignored_permissions})
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #23
0
def _refresh_updated_time(roleID):
    """
    Update refreshed time for given role ID to utcnow

    Args:
        rolesID (string): the role ID of the role to update

    Returns:
        None
    """
    try:
        DYNAMO_TABLE.update_item(Key={'RoleId': roleID},
                                 UpdateExpression="SET Refreshed = :cur_time",
                                 ExpressionAttributeValues={
                                     ":cur_time":
                                     datetime.utcnow().isoformat()
                                 })
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #24
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def add_new_policy_version(role_dict, update_source):
    """Store a new version of the current policies in the historical policy data for a role.
    Update source should be either 'Scan', 'Repo', or 'Restore'
    """
    role = _get_role_data(role_dict['RoleId'])
    new_item_index = len(role['Policies'])
    try:
        policy = {
            'Source': update_source,
            'Discovered': datetime.utcnow().isoformat(),
            'Policy': role_dict['policies']
        }
        DYNAMO_TABLE.update_item(
            Key={'RoleId': role_dict['RoleId']},
            UpdateExpression="SET #polarray[{}] = :pol".format(new_item_index),
            ExpressionAttributeNames={"#polarray": "Policies"},
            ExpressionAttributeValues={":pol": policy})
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #25
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def find_and_mark_inactive(active_roles):
    """Mark roles that used to be active but weren't in current role listing inactive"""
    from repokid.repokid import CUR_ACCOUNT_NUMBER
    from repokid.repokid import LOGGER
    active_roles = set(active_roles)
    known_roles = set(roles_for_account(CUR_ACCOUNT_NUMBER))
    inactive_roles = known_roles - active_roles

    for roleID in inactive_roles:
        role_dict = _get_role_data(roleID)
        if role_dict['Active']:
            try:
                DYNAMO_TABLE.update_item(
                    Key={'RoleId': roleID},
                    UpdateExpression="SET Active = :false",
                    ExpressionAttributeValues={":false": False})
            except BotoClientError as e:
                LOGGER.error('Dynamo table error: {}'.format(e))
            else:
                LOGGER.info('Marked role ({}): {} inactive'.format(
                    roleID, role_dict['Arn']))
コード例 #26
0
def set_repoed(role_id):
    """
    Marks a role (by ID) as having been repoed now (utcnow) as string in Dynamo

    Args:
        role_id (string)

    Returns:
        None
    """
    try:
        DYNAMO_TABLE.update_item(
            Key={'RoleId': role_id},
            UpdateExpression="SET Repoed = :now, RepoableServices = :el",
            ExpressionAttributeValues={
                ":now": datetime.utcnow().isoformat(),
                ":el": []
            })
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #27
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def update_role_data(role_dict):
    """Given role data either add it to the datastore, add a revision of the policies, or refresh updated time"""
    from repokid.repokid import LOGGER
    # need to convert to (stupid) DynamoDB empty string form
    if 'policies' in role_dict:
        role_dict['policies'] = _empty_string_to_dynamo_replace(
            role_dict['policies'])

    # policy_entry: source, discovered, policy
    stored_role = _get_role_data(role_dict['RoleId'])
    if stored_role:
        # is the policy list the same as the last we had?
        if not role_dict['policies'] == stored_role['Policies'][-1]['Policy']:
            add_new_policy_version(role_dict, 'Scan')
            LOGGER.info(
                '{} has different inline policies than last time, adding to role store'
                .format(role_dict['Arn']))
        _refresh_updated_time(role_dict['RoleId'])
    else:
        _store_item(role_dict)
        LOGGER.info('Added new role ({}): {}'.format(role_dict['RoleId'],
                                                     role_dict['Arn']))
コード例 #28
0
def _store_item(role, current_policy):
    """
    Store the initial version of a role in Dynamo

    Args:
        role (Role)
        current_policy (dict)

    Returns:
        None
    """
    policy_entry = {
        'Source': 'Scan',
        'Discovered': datetime.utcnow().isoformat(),
        'Policy': current_policy
    }

    role.policies = [policy_entry]
    role.refreshed = datetime.utcnow().isoformat()
    role.active = True
    role.repoed = 'Never'

    try:
        DYNAMO_TABLE.put_item(
            Item={
                'Arn': role.arn,
                'CreateDate': role.create_date.isoformat(),
                'RoleId': role.role_id,
                'RoleName': role.role_name,
                'Account': role.account,
                'Policies': [_empty_string_to_dynamo_replace(policy_entry)],
                'Refreshed': role.refreshed,
                'Active': role.active,
                'Repoed': role.repoed
            })
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))
コード例 #29
0
def add_new_policy_version(role, current_policy, update_source):
    """
    Create a new entry in the history of policy versions in Dynamo. The entry contains the source of the new policy:
    (scan, repo, or restore) the current time, and the current policy contents. Updates the role's policies with the
    full policies including the latest.

    Args:
        role (Role)
        current_policy (dict)
        update_source (string): ['Repo', 'Scan', 'Restore']

    Returns:
        None
    """
    cur_role_data = _get_role_data(role.role_id, fields=['Policies'])
    new_item_index = len(cur_role_data.get('Policies', []))

    try:
        policy_entry = {
            'Source': update_source,
            'Discovered': datetime.utcnow().isoformat(),
            'Policy': current_policy
        }

        DYNAMO_TABLE.update_item(
            Key={'RoleId': role.role_id},
            UpdateExpression="SET #polarray[{}] = :pol".format(new_item_index),
            ExpressionAttributeNames={"#polarray": "Policies"},
            ExpressionAttributeValues={
                ":pol": _empty_string_to_dynamo_replace(policy_entry)
            })

    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))

    role.policies = get_role_data(role.role_id,
                                  fields=['Policies'])['Policies']
コード例 #30
0
ファイル: roledata.py プロジェクト: mbeacom/repokid
def _store_item(role_dict):
    """Store initial version of role information"""
    policy = {
        'Source': 'Scan',
        'Discovered': datetime.utcnow().isoformat(),
        'Policy': role_dict['policies']
    }
    try:
        DYNAMO_TABLE.put_item(
            Item={
                'Arn': role_dict['Arn'],
                'CreateDate': role_dict['CreateDate'].isoformat(),
                'RoleId': role_dict['RoleId'],
                'RoleName': role_dict['RoleName'],
                'Account': role_dict['Arn'].split(':')[4],
                'Policies': [policy],
                'Refreshed': datetime.utcnow().isoformat(),
                'Active': True,
                'Repoed': 'Never'
            })
    except BotoClientError as e:
        from repokid.repokid import LOGGER
        LOGGER.error('Dynamo table error: {}'.format(e))