Skip to main content

Implementation of the Result pattern similar to C# ErrorOr package

Project description

Resolute is a new way of thinking Python functions. For your mind, it is like error handling on autopilot.

The package is loosely inspired by .NETs ErrorOr package, with a stronger focus on returning early in your code, reducing nesting, improving readability and understandability of your code base and avoiding exception handling. Resolute supports layered architecture with a clear separation of concerns and improves pinpointing of errors at a glance.

Imagine reading the following error history in your hexagon architecture project:

“List all users API request failed“

“Application could not retrieve all users“

“User repository failed to fetch users“

“MySQL DB adapter could not establish a connection on {192.168.0.127:500}“

“NetworkError: TLS handshake refused, certificate mismatch, terminating connection… {Exception Details}“

You will be able to immediately tell which operation failed, which path through your code-base was attempted and see technical failure details at the lowest level.

You can construct your error histroy from generic strings or use typed error messages specifically for your domain, or pass in the exception classes we all already know.

return Resolute.from_error("My attempt failed")
# or
return Resolute.from_error(ZeroDivisionError())
# or
class MyError(Exception):
        pass
return Resolute.from_error(MyError("What happened"))
# or
import traceback
try:
  1 / 0
except:
  return Resolute.from_error(traceback.format_exc())

Your application logic relies on the success of calls to (deeper) parts of the code-base? It can not complete the task once a necessary call fails? No further questions asked - streamline your business logic and return what you got: An error!

def business_logic() -> Result[float]:
...
  current_res: Result[int] = Infrastructure.retrieve_count()
  if current_res.has_errors: return current_res.generic_error_typed().with_error("I can't complete what I was about to do")
  # if not continue business as normal
...

Did we mention Resolute was created with Python's type system in mind? Detect potential value type mismatches with your linter of choice. Fast-forward erroneous results or provide a converter function for results with values.

def results_in_int() -> Result[int]:
  return Resolute.from_value(3)
def results_in_float() -> Result[float]:
  int_res: Result[int] = results_in_int()
  if int_res.has_errors:
    return int_res.generic_error_typed()           # : Result[float]
    # or
    return Resolute.type_erroneous(int_res)         # : Result[float]
  # Else success
  # Lambda converter needs to consider possibility of None value
  return Resolute.type_adjusted(int_res, lambda value: float(str(value))*2.5 )
def also_ress_in_float() -> Result[float]:
  float_res: Result[float] = results_in_float()
  if float_res.has_errors: return float_res       # No conversion necessary
  return Resolute.from_value(float_res.value * 2.5)
def void_like_res() -> Result[None]:
  float_res: Result[float] = results_in_float()
  if float_res.is_success: return Resolute.from_success_with_no_value()

Type guards and the Result union type

Resolute ships the Result[T] union type alias (Success[T] | Failure[T]) along with two type guard functions that let your type checker narrow a Result[T] to either branch without any extra casting.

from resolute import Result, Success, Failure, is_success, has_errors

res: Result[int] = Resolute.from_value(1)

if is_success(res):
    print(res.value)   # type checker knows res is Success[int] here

if has_errors(res):
    print(res.errors)  # type checker knows res is Failure[int] here

Functional chaining

For code that passes results through several transformation steps, the functional methods let you express the pipeline without repeating if has_errors: return at every step.

def parse_age(raw: str) -> Result[int]:
    return (
        Resolute.from_call(lambda: int(raw))
            .filter(lambda n: n >= 0, "age must be non-negative")
            .map(lambda n: n + 1)           # birthday!
            .inspect(lambda n: print(f"age next year: {n}"))
    )

Use and_then when the next step is itself fallible and returns a Result:

def load_and_validate(path: str) -> Result[Config]:
    return (
        Resolute.from_call(lambda: open(path).read())
            .and_then(parse_config)
            .and_then(validate_config)
            .map_err(lambda err_list: [f"config load failed: {err}" for err in err_list])
    )

Terminate a chain by consuming both branches with fold, or extract the value with a fallback using unwrap_or / unwrap_or_else:

message = result.fold(
    on_failure=lambda errors: f"failed: {errors[0]}",
    on_success=lambda value: f"ok: {value}",
)

value = result.unwrap_or(default_value)
value = result.unwrap_or_else(lambda errors: compute_fallback(errors))

When combining multiple independent results, zip pairs two results into a tuple and sequence collects a list — both aggregate errors from all failing inputs rather than stopping at the first one:

combined = Resolute.zip(fetch_user(id), fetch_account(id))
if combined.is_success:
    user, account = combined.value

all_results = Resolute.sequence([validate_name(n), validate_age(a), validate_email(e)])
if all_results.has_errors:
    return all_results.generic_error_typed()

All of the above methods have async_ counterparts (async_map, async_and_then, async_filter, async_unwrap_or_else, from_async_call) that work identically inside async def functions.

More complex example from a layered architecture:

...
# Presentation layer
earliest_book_availability_res: Result[datetime] = reservation_service.calculate_book_availability(book_uuid)
if earliest_book_availability_res.has_errors: modal_manager.ShowError(earliest_book_availability_res.remove_errors_except_of_type([UserVisibleError]).concat_errors("\n"))
...
...
# Application layer
def calculate_book_availability(book_uuid: str) -> Result[datetime]:
  # Get dependencies
  results: List[Result] = await asyncio.gather(
        async_check_if_book_is_in_store(book_uuid),
        async_get_return_date_of_last_borrower(book_uuid),
        async_get_waiting_list_for_book(book_uuid)
    ) 
  # Cumulative Error Handling
  if Resolute.any_erroneous_in_list(results):
    return Resolute.from_erroneous_list(results) # Optional: .with_error("Availability calculation failed")
  # Typing
  in_store_res: Result[bool]
  last_borrower_returned_res: Result[datetime]
  waiting_list_res: Result[List[User]]
  # Unpacking
  in_store_res, last_borrower_returned_res, waiting_list_res = results
  # Continue with business logic
...
...
# Infrastructure layer (using SQLAlchemy)
def retrieve_waiting_list_for_book_from_db(book_uuid: str) -> Result[List[User]]:
...
  try:
    book = session.query(Book).filter(Book.uuid == book_uuid).first()
  except:
    return Resolute.from_error(traceback.format_exc()) # Optional: .with_error("Book retrieval by UUID failed")
  # Success
  return Resolute.from_value(book.waiting_list)
... 

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

resolute-1.2.0.tar.gz (12.9 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

resolute-1.2.0-py3-none-any.whl (10.6 kB view details)

Uploaded Python 3

File details

Details for the file resolute-1.2.0.tar.gz.

File metadata

  • Download URL: resolute-1.2.0.tar.gz
  • Upload date:
  • Size: 12.9 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.13.12

File hashes

Hashes for resolute-1.2.0.tar.gz
Algorithm Hash digest
SHA256 504910ae2f365b8ae15cc0ab7ab2bee63540631a31383048e8849b7e7ce64ddb
MD5 cc7f5145a93b986ac2b3faf0528bdb73
BLAKE2b-256 1f540c586313c7172f5cf6b41427514c888dc01f80db38ac64d12febe64d35b4

See more details on using hashes here.

File details

Details for the file resolute-1.2.0-py3-none-any.whl.

File metadata

  • Download URL: resolute-1.2.0-py3-none-any.whl
  • Upload date:
  • Size: 10.6 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.13.12

File hashes

Hashes for resolute-1.2.0-py3-none-any.whl
Algorithm Hash digest
SHA256 f653e20a1a75dbb0a0fca88642a9869414c5d0229e58555918a5d0235ac58a3e
MD5 d37afaf5818cb9bee3959eddda90c6cd
BLAKE2b-256 ee92716995960705f4f86dcf01468981ff70204ae11691f85f651f0190c3fedf

See more details on using hashes here.

Supported by

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