Skip to main content

Simple and powerful tool for quick serverless data management via API.

Project description

python-serverless-crud

The idea

Simple and powerful tool for quick serverless data management via API.

Key concepts

  • Don't Repeat Yourself - easy model definition with schema and cloud formation generation support
  • Best practices applied by default (created with AWS LambdaPower Tools)
  • Flexibility - enable, extend and modify what is needed
  • One ring to rule them all - support for REST API, GraphQL (via API Gateway), AppSync GraphQL (direct resolvers)

Features

  • Full CRUD support with validation
  • Native support for DynamoDB (including CloudFormation creation via troposphere)
    • GlobalSecondaryIndex support
    • LocalSecondaryIndex support
    • Primary Key with and without sort keys
  • Support for Scan, Query operations on the tables and indexes
  • Virtual List method on the table or index
  • Integrated record owner feature with KeyCondition and FilterCondition support (auto-detect)

Documentation

Sample service

from aws_lambda_powertools import Tracer
from aws_lambda_powertools.logging import correlation_paths
from serverless_crud import api
from serverless_crud.dynamodb import annotation as db
from serverless_crud.model import BaseModel
from serverless_crud.logger import logger

tracer = Tracer()


@db.Model(
    key=db.PrimaryKey(id=db.KeyFieldTypes.HASH),
    indexes=(
            db.GlobalSecondaryIndex("by_user", user=db.KeyFieldTypes.HASH, created=db.KeyFieldTypes.RANGE),
    ),
    owner_field="user"
)
class Device(BaseModel):
    id: str
    created: int
    user: str = None


api.rest.registry(Device, alias="device")


@logger.inject_lambda_context(correlation_id_path=correlation_paths.API_GATEWAY_REST)
@tracer.capture_lambda_handler
def rest_handler(event, context):
    return api.rest.handle(event, context)

With just a few lines of the code we are able to create Device model service which then can be extended. In this example we:

  1. Defined our Device model with some extra metadata, used by our generators. That includes:
    1. Table key definition
    2. GlobalSecondaryIndex
    3. Definition of the field which will hold owner of the record (identity provided by cognito)
  2. Registered our Device model into rest API under device alias
  3. Created rest handler which then can be referred in our serverless.yml file

A few notes here:

  • we need to define rest_handler function if we would like to use it as a target for local execution with serverless freamework
  • Lambda Power Tools are build around functions and they don't work properly with object methods
  • We use one function per API type, and we relay on internal router provided by each API implementation

Serverless integration

If you use (serverless-builder)[https://github.com/epsyhealth/serverless-builder] you can create your serverless.yml with just a few lines of code (including DynamodbTables)

from serverless import Service, Configuration
from serverless.aws.features import XRay
from serverless.aws.functions.http import HTTPFunction
from serverless.plugins import PythonRequirements, Prune
from serverless.provider import AWSProvider
from troposphere import dynamodb

from timemachine_api.handlers import api

service = Service(
    "timemachine-api",
    "Collect events in chronological order",
    AWSProvider(),
    config=Configuration(
        domain="epsy.app"
    )
)
service.provider.timeout = 5

service.plugins.add(Prune())
service.plugins.add(PythonRequirements(layer=False, useStaticCache=False, dockerSsh=True))

service.enable(XRay())

for name, table_specification in api.dynamodb_table_specifications().items():
    service.resources.add(dynamodb.Table(name, **table_specification))

authorizer = dict(name="auth",
                  arn="arn:aws:cognito-idp:us-east-1:772962929486:userpool/us-east-1_FCl7gKtHC")

service.builder.function.http("rest", "Time machine REST API", "/rest/{proxy+}", HTTPFunction.ANY,
                              handler="timemachine_api.handlers.rest_handler", authorizer=authorizer)


service.render()

Internals

Annotations

serverless-crud project provides one annotation which must be used for all managed models.

from serverless_crud.dynamodb import annotation as db
@db.Model(
    key=db.PrimaryKey(name=db.KeyFieldTypes.HASH),
    indexes=(
        db.GlobalSecondaryIndex(...),
        db.LocalSecondaryIndex(...)
    ),
    owner_field="field"
)

Model annotation accepts:

  • key - primary key definition, in form of kwargs where name of parameter would be a field name which should be used in key, and value should be a value of KeyFieldTypes enum
  • indexes - list of indexes GlobalSecondaryIndex|LocalSecondaryIndex. Indexes are defined in same way as primary key
  • owner_field - name of the field which should be used for data filtering (based on the cognito identity)

Data owner

serverless-crud can enforce some base data filtering on all kind of operations using Dynamodb conditional operations. If you would like to use this feature you must set owner_field on each model you would like to use this feature.

Library will use this field for:

  • setting its value on model creation / update (it will overwrite any value provided by user)
  • as an extra ConditionExpression during GET and DELETE operations
  • as a part of either FilterExpression or KeyExpression for Scan, Query and List operations

Model registration

To be able to manage given model, you must first register it with specific API. This can be done with a single line of code:

api.rest.registry(Device, alias="device")

You need to provide only a model type to registry method, all other parameters are optional. If you like, you can omit alias parameter, in that case framework will use model class name.

Customizing endpoint behaviour

Framework defines a set of classes located in serverless_crud.actions:

  • CreateAction
  • DeleteAction
  • GetAction
  • ScanAction, ListAction, QueryAction
  • UpdateAction

all those classes are subclasses of serverless_crud.actions.base.Action class and can be extended if needed.

You may need to execute custom logic after object creation, that can be done with custom CreateAction subclass

from serverless_crud.actions import CreateAction

class CreateDeviceAction(CreateAction):
    def handle(self, event: APIGatewayProxyEvent, context):
        super().handle(event, context)
        
        # custom logic


api.rest.registry(Device, create=CreateDeviceAction)

You can set custom handlers for each supported operation:

def registry(self, model, alias=None, get=GetAction, create=CreateAction, update=UpdateAction, delete=DeleteAction,
             lookup_list=ListAction, lookup_scan=ScanAction, lookup_query=QueryAction):

As you can see, all actions are defined by default. That also means that all actions are enabled by default, but each action can be disabled.

If you need to disable action you need to set action handler to None, that will prevent framework from creating route for given action, and it will disable whole logic behind it.

Routes

REST API specific feature.

Framework will create multiple routes for each register model, using alias as a URL namespace. Generated routes:

  • GET /rest/{alias}/{pk} - fetch object by PK (see notes about PK below)
  • POST /rest/{alias} - create new record
  • PUT /rest/{alias}/{pk} - update record with given PK
  • DELETE /rest/{alias}/{pk} - delete record with given PK
  • GET /rest/lookup/{alias}/list - list all the records of given type using Query on the table
  • GET /rest/lookup/{alias}/list/{index_name} - list all the records of the given type using Query on specific index
  • POST /rest/lookup/{alias}/query - perform a query on given table
  • POST /rest/lookup/{alias}/query/{index_name} - perform a query on given index
  • POST /rest/lookup/{alias}/scan - perform a scan on given table
  • POST /rest/lookup/{alias}/scan/{index_name} - perform a scan on given index

Primary Keys

Please remember that with DynamoDB key is a Partition Key with optional Sort Key. In case you define Sort Key DynamoDB will require a value for it while getting / deleting key. In that case framework will modify routes to include sort key as an extra path parameter

Endpoints

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

python_serverless_crud-1.3.4.tar.gz (20.5 kB view details)

Uploaded Source

Built Distribution

python_serverless_crud-1.3.4-py3-none-any.whl (27.2 kB view details)

Uploaded Python 3

File details

Details for the file python_serverless_crud-1.3.4.tar.gz.

File metadata

  • Download URL: python_serverless_crud-1.3.4.tar.gz
  • Upload date:
  • Size: 20.5 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: poetry/1.4.2 CPython/3.8.16 Linux/5.15.0-1036-azure

File hashes

Hashes for python_serverless_crud-1.3.4.tar.gz
Algorithm Hash digest
SHA256 5c49628ebd6b4039c6e53fbf36cca7938bf4df5cd604133c1d96d4b8f09aa83a
MD5 a3a21d7927c896db3949a046e3e518df
BLAKE2b-256 afb154eee0a350c9a9749c9925ee15e97f00e3309077a8bb845cde0718d0dae0

See more details on using hashes here.

File details

Details for the file python_serverless_crud-1.3.4-py3-none-any.whl.

File metadata

File hashes

Hashes for python_serverless_crud-1.3.4-py3-none-any.whl
Algorithm Hash digest
SHA256 c51a8a83963ef36c3d72556a9e229fb743cdfdfac888a4931399879e9914a12f
MD5 c020e8e0c40d015a200603bbf43ed413
BLAKE2b-256 4e9546b7b25844131bb6c065d9ecf2ea478e4b51b3078d4ae14b2aeaedbce4a1

See more details on using hashes here.

Supported by

AWS AWS Cloud computing and Security Sponsor Datadog Datadog Monitoring Fastly Fastly CDN Google Google Download Analytics Microsoft Microsoft PSF Sponsor Pingdom Pingdom Monitoring Sentry Sentry Error logging StatusPage StatusPage Status page