Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Create CLI commands for AWS auth manager to create Amazon Verified Permissions related resources #36799

Merged
merged 5 commits into from
Jan 15, 2024
Merged
Show file tree
Hide file tree
Changes from 4 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
27 changes: 27 additions & 0 deletions airflow/providers/amazon/aws/auth_manager/aws_auth_manager.py
Original file line number Diff line number Diff line change
Expand Up @@ -16,15 +16,20 @@
# under the License.
from __future__ import annotations

import argparse
from functools import cached_property
from typing import TYPE_CHECKING

from flask import session, url_for

from airflow.cli.cli_config import CLICommand, DefaultHelpParser, GroupCommand
from airflow.configuration import conf
from airflow.exceptions import AirflowOptionalProviderFeatureException
from airflow.providers.amazon.aws.auth_manager.avp.entities import AvpEntities
from airflow.providers.amazon.aws.auth_manager.avp.facade import AwsAuthManagerAmazonVerifiedPermissionsFacade
from airflow.providers.amazon.aws.auth_manager.cli.definition import (
AWS_AUTH_MANAGER_COMMANDS,
)
from airflow.providers.amazon.aws.auth_manager.constants import (
CONF_ENABLE_KEY,
CONF_SECTION_NAME,
Expand Down Expand Up @@ -195,3 +200,25 @@ def get_url_logout(self) -> str:
@cached_property
def security_manager(self) -> AwsSecurityManagerOverride:
return AwsSecurityManagerOverride(self.appbuilder)

@staticmethod
def get_cli_commands() -> list[CLICommand]:
"""Vends CLI commands to be included in Airflow CLI."""
return [
GroupCommand(
name="aws-auth-manager",
help="Manage resources used by AWS auth manager",
subcommands=AWS_AUTH_MANAGER_COMMANDS,
),
]


def get_parser() -> argparse.ArgumentParser:
"""Generate documentation; used by Sphinx argparse."""
from airflow.cli.cli_parser import AirflowHelpFormatter, _add_command

parser = DefaultHelpParser(prog="airflow", formatter_class=AirflowHelpFormatter)
subparsers = parser.add_subparsers(dest="subcommand", metavar="GROUP_OR_COMMAND")
for group_command in AwsAuthManager.get_cli_commands():
_add_command(subparsers, group_command)
return parser
16 changes: 16 additions & 0 deletions airflow/providers/amazon/aws/auth_manager/cli/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,16 @@
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.
168 changes: 168 additions & 0 deletions airflow/providers/amazon/aws/auth_manager/cli/avp_commands.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,168 @@
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.
"""User sub-commands."""
from __future__ import annotations

import json
import logging
from pathlib import Path
from typing import TYPE_CHECKING

import boto3

from airflow.configuration import conf
from airflow.providers.amazon.aws.auth_manager.constants import CONF_REGION_NAME_KEY, CONF_SECTION_NAME
from airflow.utils import cli as cli_utils
from airflow.utils.providers_configuration_loader import providers_configuration_loaded

if TYPE_CHECKING:
from botocore.client import BaseClient

log = logging.getLogger(__name__)


@cli_utils.action_cli
@providers_configuration_loaded
def init_avp(args):
"""Initialize Amazon Verified Permissions resources."""
client = _get_client()

# Create the policy store if needed
policy_store_id, is_new_policy_store = _create_policy_store(client, args)

if not is_new_policy_store:
print(
f"Since an existing policy store with description '{args.policy_store_description}' has been found in Amazon Verified Permissions, "
"the CLI makes no changes to this policy store for security reasons. "
vincbeck marked this conversation as resolved.
Show resolved Hide resolved
"Any modification to this policy store must be done manually.",
)
else:
# Set the schema
_set_schema(client, policy_store_id, args)

if not args.dry_run:
print("Amazon Verified Permissions resources created successfully.")
print("Please set them in Airflow configuration under AIRFLOW__AWS_AUTH_MANAGER__<config name>.")
print(json.dumps({"avp_policy_store_id": policy_store_id}, indent=4))


@cli_utils.action_cli
@providers_configuration_loaded
def update_schema(args):
"""Update Amazon Verified Permissions policy store schema."""
client = _get_client()
_set_schema(client, args.policy_store_id, args)

if not args.dry_run:
print("Amazon Verified Permissions policy store schema updated successfully.")


def _get_client():
"""Returns Amazon Verified Permissions client."""
region_name = conf.get(CONF_SECTION_NAME, CONF_REGION_NAME_KEY)
return boto3.client("verifiedpermissions", region_name=region_name)


def _create_policy_store(client: BaseClient, args) -> tuple[str | None, bool]:
"""
Create if needed the policy store.

This function returns two elements:
- the policy store ID
- whether the policy store ID returned refers to a newly created policy store.
"""
paginator = client.get_paginator("list_policy_stores")
pages = paginator.paginate()
policy_stores = [application for page in pages for application in page["policyStores"]]
existing_policy_stores = [
policy_store
for policy_store in policy_stores
if policy_store.get("description") == args.policy_store_description
]

if args.verbose:
log.debug("Policy stores found: %s", policy_stores)
log.debug("Existing policy stores found: %s", existing_policy_stores)

if len(existing_policy_stores) > 0:
print(
f"There is already a policy store with description '{args.policy_store_description}' in Amazon Verified Permissions: '{existing_policy_stores[0]['policyStoreId']}'."
)
return existing_policy_stores[0]["policyStoreId"], False
else:
print(f"No policy store with description '{args.policy_store_description}' found, creating one.")
if args.dry_run:
print("Dry run, not creating the policy store.")
vincbeck marked this conversation as resolved.
Show resolved Hide resolved
return None, True

response = client.create_policy_store(
validationSettings={
"mode": "OFF",
},
description=args.policy_store_description,
)
if args.verbose:
log.debug("Response from create_policy_store: %s", response)

print(f"Policy store created: '{response['policyStoreId']}'")

return response["policyStoreId"], True


def _set_schema(client: BaseClient, policy_store_id: str, args) -> None:
"""Set the policy store schema."""
if args.dry_run:
print("Dry run, not updating the schema.")
return

if args.verbose:
log.debug("Disabling schema validation before updating schema")

response = client.update_policy_store(
policyStoreId=policy_store_id,
validationSettings={
"mode": "OFF",
},
)

if args.verbose:
log.debug("Response from update_policy_store: %s", response)

schema_path = Path(__file__).parents[0].joinpath("schema.json").resolve()
with open(schema_path) as schema_file:
response = client.put_schema(
policyStoreId=policy_store_id,
definition={
"cedarJson": schema_file.read(),
},
)

if args.verbose:
log.debug("Response from put_schema: %s", response)

if args.verbose:
log.debug("Enabling schema validation after updating schema")

response = client.update_policy_store(
policyStoreId=policy_store_id,
validationSettings={
"mode": "STRICT",
},
)

if args.verbose:
log.debug("Response from update_policy_store: %s", response)
62 changes: 62 additions & 0 deletions airflow/providers/amazon/aws/auth_manager/cli/definition.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,62 @@
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.

from __future__ import annotations

from airflow.cli.cli_config import (
ActionCommand,
Arg,
lazy_load_command,
)

############
# # ARGS # #
############

ARG_VERBOSE = Arg(("-v", "--verbose"), help="Make logging output more verbose", action="store_true")

ARG_DRY_RUN = Arg(
("--dry-run",),
help="Perform a dry run",
action="store_true",
)

# Amazon Verified Permissions
ARG_POLICY_STORE_DESCRIPTION = Arg(
("--policy-store-description",), help="Policy store description", default="Airflow"
)
ARG_POLICY_STORE_ID = Arg(("--policy-store-id",), help="Policy store ID")


################
# # COMMANDS # #
################

AWS_AUTH_MANAGER_COMMANDS = (
ActionCommand(
name="init-avp",
help="Initialize Amazon Verified resources to be used by AWS manager",
func=lazy_load_command("airflow.providers.amazon.aws.auth_manager.cli.avp_commands.init_avp"),
args=(ARG_POLICY_STORE_DESCRIPTION, ARG_DRY_RUN, ARG_VERBOSE),
),
ActionCommand(
name="update-avp-schema",
help="Update Amazon Verified permissions policy store schema to the latest version in 'airflow/providers/amazon/aws/auth_manager/cli/schema.json'",
func=lazy_load_command("airflow.providers.amazon.aws.auth_manager.cli.avp_commands.update_schema"),
args=(ARG_POLICY_STORE_ID, ARG_DRY_RUN, ARG_VERBOSE),
),
)
Loading
Loading