Skip to content

Latest commit

 

History

History
286 lines (197 loc) · 11.1 KB

File metadata and controls

286 lines (197 loc) · 11.1 KB

🐻Cadurso1

Authorization framework for Python-based applications. Inspired by Oso.

PyPI - Python Version PyPI - Version PyPI - Types PyPI - Downloads

Overview

Cadurso is a lightweight and extensible authorization framework designed to handle access control scenarios by building and querying rules. It enables developers to define rules for actors performing actions on resources, with support for synchronous and asynchronous workflows. This library is inspired by the principles of the Oso framework, emphasizing flexibility and clarity in managing authorization.

Features

  • Declarative Rule Definitions: Define who can do what with ease. Rules are just Python functions2.
  • Support for Sync and Async: Handle both blocking and non-blocking authorization queries seamlessly. Rules can also be async.
  • Immutable: Prevent rule additions at runtime by freezing the authorization framework after defining rules.
  • Rich Authorization Decisions: AuthorizationDecision carries both the decision and an optional denial reason — fully backward-compatible with bool.
  • Veto Mechanism: raise Veto("reason") inside any rule to hard-deny a request, overriding all other rules.
  • Error Handling: Comprehensive exceptions for incomplete queries, operational issues, and rule definition errors.

Use Cases

  • Multi-tenant applications requiring fine-grained access control.
  • Implementing Role-Based Access Control, Attribute-Based Access Control or anything in between.

Core Concepts

The core concepts of a Cadurso-powered authorization system are Actors, Actions, and Resources. They are combined into Rules which can be added to a Cadurso instance, represent capabilities within a system.

After defining rules, the framework can be marked as "frozen" to prevent further modifications, ensuring the integrity of the authorization system.

Actors

an Actor can be any Python instance. e.g User, ServiceAccount.

Actions

Actions are operations that Actors can attempt on Resources. They can be any hashable object.

Good candidates for Actions are str, Enum, etc.

(But any object that implements __hash__ and __eq__ can be used)

Resources

Resources are entities that Actors interact with. They can be any object that needs to be protected. e.g Document, Post.

Rules

Rules are combinations of Actors, Actions, and Resources. They are expressed as Python functions that return a boolean value.

Cadurso uses the type hints of the rule function to determine the types of the Actor and Resource arguments. The Action is passed as a parameter to the decorator that defines the rule.

Rule format:

cadurso = Cadurso()

@cadurso.add_rule(<ACTION>)
def rule_definition(actor: [ACTOR TYPE], resource: [RESOURCE TYPE]) -> bool:
    # Return True or False based on the rule logic
    ...

State Freezing

Once you are finished defining rules, the framework should be "frozen" to prevent further modifications. This ensures the integrity of the authorization system.

cadurso.freeze()

Quick Start

Installation

uv add cadurso      # or
poetry add cadurso  # or
pip install cadurso

Complete Example

Defining Rules

# Initialize the authorization framework
from cadurso import Cadurso
cadurso = Cadurso()

# Some Actors and Resources type definitions
class User:
    ...

class Document:
    ...

# Some Actions
class DocumentPermission(Enum):
    EDIT = auto()
    """Edit a document."""

    VIEW = auto()
    """Visualize a document."""


# Define your authorization rules
@cadurso.add_rule(DocumentPermission.EDIT)
def owner_can_edit_own_document(actor: User, resource: Document) -> bool:
    return actor == resource.owner

@cadurso.add_rule(DocumentPermission.EDIT)
def admin_can_edit_any_document(actor: User, _resource: Document) -> bool:
    return actor.role == Role.ADMIN

@cadurso.add_rule(DocumentPermission.VIEW)
def anyone_who_can_edit_can_view(actor: User, resource: Document) -> AuthorizationDecision:
    """Any person who can EDIT a document can also, obviously, VIEW it."""
    # Piggyback on the EDIT permission with raise_veto=True so that
    # Veto reasons propagate through to the caller.
    return cadurso.is_allowed(actor, DocumentPermission.EDIT, resource, raise_veto=True)

# Async rules are also okay, if you need them
@cadurso.add_rule(DocumentPermission.VIEW)
async def async_rule(actor: User, resource: Document) -> bool:
    return await some_other_async_check(actor, resource)


# Freeze the rules to prevent further modifications
cadurso.freeze()

# (You are ready to query now)
# Use your `cadurso` instance as a singleton throughout your application

Querying

(Instance definitions)

# Some Actors
john = User(name="John", role=Role.USER)
gunnar = User(name="Gunnar", role=Role.ADMIN)

# Some Resources
johns_document = Document(owner=john)
gunnars_document = Document(owner=gunnar)

(Query: Synchronous APIs)

# `.is_allowed()` method to query permissions
cadurso.is_allowed(john, DocumentPermission.EDIT, johns_document)   # Output: True
cadurso.is_allowed(john, DocumentPermission.EDIT, gunnars_document) # Output: False
cadurso.is_allowed(gunnar, DocumentPermission.EDIT, johns_document) # Output: True

# Alternate querying syntax with `.can()`.
# This is just syntactic sugar for the above.
cadurso.can(john).do(DocumentPermission.EDIT).on(johns_document)    # Output: True
cadurso.can(john).do(DocumentPermission.EDIT).on(gunnars_document)  # Output: False
cadurso.can(gunnar).do(DocumentPermission.EDIT).on(johns_document)  # Output: True

(Query: Asynchronous APIs)

# `.is_allowed_async()` method to query permissions asynchronously
await cadurso.is_allowed_async(john, DocumentPermission.EDIT, johns_document)  # Output: True

# Querying permissions with `.can()` asynchronously
await cadurso.can(john).do(DocumentPermission.EDIT).on_async(johns_document)   # Output: True

Listing Allowed Actions

Get all actions an actor can perform on a resource:

# `.get_allowed_actions()` returns a set of all allowed actions
cadurso.get_allowed_actions(john, johns_document)
# Output: {DocumentPermission.EDIT, DocumentPermission.VIEW}

cadurso.get_allowed_actions(john, gunnars_document)
# Output: {DocumentPermission.VIEW}  (can view but not edit)

cadurso.get_allowed_actions(gunnar, johns_document)
# Output: {DocumentPermission.EDIT, DocumentPermission.VIEW}  (admin can do everything)

# Alternate syntax with `.can()`
cadurso.can(john).allowed_actions_on(johns_document)
# Output: {DocumentPermission.EDIT, DocumentPermission.VIEW}

# Async variants
await cadurso.get_allowed_actions_async(john, johns_document)
await cadurso.can(john).allowed_actions_on_async(johns_document)

Veto: Hard-Denying Requests

A rule can raise Veto("reason") to hard-deny a request. When a Veto fires, evaluation stops immediately — no further rules are checked — and the denial reason is captured in the AuthorizationDecision.

from cadurso import Cadurso, Veto

cadurso = Cadurso()

@cadurso.add_rule("publish")
def author_can_publish(actor: User, resource: Article) -> bool:
    return actor == resource.author

@cadurso.add_rule("publish")
def suspended_users_cannot_publish(actor: User, resource: Article) -> bool:
    if actor.suspended:
        raise Veto("Account is suspended")
    return False

cadurso.freeze()

Inspecting Authorization Decisions

is_allowed() and is_allowed_async() return an AuthorizationDecision object instead of a bare bool. It is fully backward-compatible — if, assert, assert not all work unchanged via __bool__.

decision = cadurso.is_allowed(some_user, "publish", some_article)

# Backward-compatible boolean usage
if decision:
    print("Allowed!")

# Rich inspection
if not decision:
    print(decision.reason)  # "Account is suspended" or None

Key properties:

  • decision.allowedTrue or False
  • decision.reason — populated only when denied via Veto, otherwise None
  • bool(decision) — returns decision.allowed

Piggyback Rules

A rule can delegate to another permission check by calling is_allowed() internally. Since is_allowed() returns AuthorizationDecision, piggyback rules should use -> AuthorizationDecision as their return type.

Use raise_veto=True so that any Veto from the delegated permission bubbles up with its reason intact:

@cadurso.add_rule(DocumentPermission.VIEW)
def anyone_who_can_edit_can_view(actor: User, resource: Document) -> AuthorizationDecision:
    # If EDIT is vetoed, the Veto bubbles up — reason preserved.
    return cadurso.is_allowed(actor, DocumentPermission.EDIT, resource, raise_veto=True)

Without raise_veto=True, a Veto on the inner call would be caught and converted to AuthorizationDecision(allowed=False). The outer caller would see a denial with reason=None — the original reason is lost.

The raise_veto parameter is available on is_allowed(), is_allowed_async(), and the fluent API .on() / .on_async():

# Fluent API equivalent
return cadurso.can(actor).do(DocumentPermission.EDIT).on(resource, raise_veto=True)

More examples?

Note: If you've watched these films, the tests will be particularly enjoyable to read — you'll recognize characters, locations, and scenarios from the movies woven into the authorization rules! If you haven't seen them, I highly recommend watching these excellent movies.

Contributing

Contributions are welcome! Please ensure tests are included for any new features or bug fixes. Follow the standard pull request guidelines for this repository.

License

Cadurso is licensed under the MIT License. See the LICENSE file for details.

Footnotes

  1. Oso means "bear" in Spanish. Cadurso is a portmanteau of "Cadu" (my nickname) and "Urso" ("bear", in Portuguese) 😉

  2. Important: Rules should be pure functions, and avoid mutating the actors or resources passed to them. As we cannot enforce this at runtime, it is the responsibility of the developer to ensure this.