Bogoware.Monads
9.0.9
dotnet add package Bogoware.Monads --version 9.0.9
NuGet\Install-Package Bogoware.Monads -Version 9.0.9
<PackageReference Include="Bogoware.Monads" Version="9.0.9" />
paket add Bogoware.Monads --version 9.0.9
#r "nuget: Bogoware.Monads, 9.0.9"
// Install Bogoware.Monads as a Cake Addin #addin nuget:?package=Bogoware.Monads&version=9.0.9 // Install Bogoware.Monads as a Cake Tool #tool nuget:?package=Bogoware.Monads&version=9.0.9
Bogoware Monads
Yet another functional library for C#
Quickstart
Install from Nuget and enjoy it!
dotnet add package Bogoware.Monads
Introduction to Monads
Monads are powerful tools for modeling operations in a functional way, making them a cornerstone of functional programming. While we won't delve into a detailed explanation of monads and their inner workings, there are numerous resources available online that approach the topic from different perspectives.
For the purpose of this introduction, we can consider monads as am abstraction of safe container that encapsulates the result of an operation. They provide methods that enable manipulation of the result in a safe manner, ensuring that the execution flow follows the "happy" path in case of success and the "unhappy" path in case of failure. This model is also known as railway-oriented programming.
By employing monads, code can be protected from further processing in case of errors or missing data. Adopting a functional approach offers benefits such as increased readability, improved reasoning capabilities, and more robust and error-resistant code.
Bogoware Monads
This library provides two well-known monads: Result
and Maybe
monads (also referred to as Either
,
Optional
, Option
in other contexts):
The
Result<T>
monad is used to model operations that can fail.
The
Maybe<T>
monad is used to model operations that can optionally return a value.
Additionally, the library provides the Error
abstract class, which complements the Result<T>
monad and
offers an ergonomic approach to error management at an application-wide scale.
Design Goals for Result<T>
The Result<T>
monad is designed for modeling operations that can either fail or return a value.
It is a generic type, with T
representing the type of the value returned by the successful operation.
Result<T>
provides a set of methods that facilitate chaining operations in a functional way:
Map
: Allows transformation of the value returned by the operation, representing the "happy" flow.Map
to void functor will map toResult<Unit>
MapToUnit()
is just a shortcut forMap(_ => { })
MapError
: Allows transformation of the error returned by the operation, representing the "unhappy" flow.Bind
: Enables chaining of operations providing a fluent syntax that allows to capture the values on the "happy" path and use them in subsequent steps.Match
: Facilitates handling of the operation's result by providing separate paths for the "happy" and "unhappy" flows.RecoverWith
: Provides a way to recover from an error by returning aResult<T>
Ensure
: Allows asserting a condition on the value returned by the operation.ExecuteIfSuccess
: Executes if the operation succeeds. It is typically used to generate side effects.ExecuteIfFailure
: Executes if the operation fails. It is typically used to generate side effects.
There are also some unsafe methods intended to support developers who are less familiar with the functional approach and may need to resort to a procedural style to achieve their goals. These methods should be used sparingly, as they deviate from the functional paradigm and make the code less robust, potentially leading to unexpected exceptions:
ThrowIfFailure
: Throws an exception if the operation fails. It is typically used to terminate the execution of the pipeline discarding the result of the operation.GetValueOrThrow
: Extracts the value from theResult<T>
monad.GetErrorOrThrow
: Extracts the error from theResult<T>
monad.
By adhering to the Result<T>
monad, code can be modeled in a more readable and reasoned manner.
It also contributes to writing more robust code with reduced error-proneness.
Result
Helper Methods
The Result
class provides a set of helper methods that facilitate the creation of Result<T>
instances or
make the code more readable.
Result.Success
: Creates a successfulResult<T>
instance with the specified value.Result.Failure
: Creates a failedResult<T>
instance with the specified error.Result.Ensure
: Creates a successfulResult<Unit>
instance if the specified condition is true, otherwise creates a failed instance with the specified error.Result.Bind
: Creates aResult<T>
instance from a delegate. This method is particularly useful when you need to start a chain of operations with aResult<T>
instance and you like to have a consistent syntax for all the steps of the chain.
For example, instead of writing:
/// Publishes the project
public Result<Unit> Publish() {
if (PublishingStatus == PublishingStatus.Published)
return new InvalidOperationError("Already published");
return ValidateCostComponents() // Note the explicit invocation of the method
.Bind(ValidateTimingComponents)
// ... more binding to validation methods
.ExecuteIfSuccess(() => PublishingStatus = PublishingStatus.Published);
}
You can write:
/// Publishes the project
public Result<Unit> Publish() => Result
.Ensure(PublishingStatus != PublishingStatus.Published, () => new InvalidOperationError("Already published")
.Bind(ValidateCostComponents)
.Bind(ValidateTimingComponents)
// ... more binding to validation methods
.ExecuteIfSuccess(() => PublishingStatus = PublishingStatus.Published);
Manipulating IEnumerable<Maybe<T>>
The library provides a set of extension methods that enable manipulation of sequences of Maybe<T>
instances.
MapEach
: Maps eachMaybe
in the sequence, preserving theNone
valuesBindEach
: Binds eachMaybe
in the sequence, preserving theNone
valuesMatchEach
: Matches eachMaybe
in the sequence
Manipulating IEnumerable<Result<T>>
The library provide a set of extension methods that enable manipulation of sequences of Result<T>
instances.
MapEach
: Maps eachResult
in the sequence, preserving the failedResult
sBindEach
: Binds eachResult
in the sequence, preserving the failedResult
sMatchEach
: Matches eachResult
in the sequenceAggregateResults
: Transforms a sequence ofResult
s into a singleResult
that contains a sequence of the successful values. If the original sequence contains anyError
then will return a failedResult
with anAggregateError
containing all the errors found.
Design Goals for Error
The Error
class is used for modeling errors and works in conjunction with the Result<T>
monad.
There are two types of errors:
LogicError
: These errors are caused by application logic and should be programmatically handled. Examples includeInvalidEmailError
,InvalidPasswordError
,InvalidUsernameError
, etc.RuntimeError
: These errors are caused by external sources and are unrelated to domain logic. Examples includeDatabaseError
,NetworkError
,FileSystemError
, etc.
Distinguishing between LogicError
s and RuntimeError
s is important, as they require different handling approaches:
LogicError
s should be programmatically handled and can be safely reported to the user in case of a malformed request.RuntimeError
s should be handled by the infrastructure and should not be reported to the user.
For example, in a typical ASP.NET Core application, LogicErrors
can be handled by returning a BadRequest
response to the client, while RuntimeErrors
can be handled by returning an InternalServerError
response.
Error
Hierarchy Best Practices
Each application should model its own logic errors by deriving from a root class that represents the base class
for all logic errors. The root class should derive from the LogicError
class.
For different kinds of logic errors that can occur, the application should derive specific classes, each modeling a particular logic error and providing the necessary properties to describe the error.
In the following example, we model two logic errors: NotFoundError
and InvalidOperationError
:
public abstract class ApplicationError: LogicError
{
public int ErrorCode { get; }
protected ApplicationError(string message, int errorCode)
: base(message)
{
ErrorCode = errorCode;
}
}
public class NotFoundError : ApplicationError
{
public string ResourceName { get; }
public string ResourceId { get; }
public NotFoundError(string message, int errorCode, string resourceName, string resourceId)
: base(message, errorCode)
{
ResourceName = resourceName;
ResourceId = resourceId;
}
}
public class InvalidOperationError : ApplicationError
{
public string OperationName { get; }
public string Reason { get; }
public InvalidOperationError(string message, int errorCode, string operationName, string reason)
: base(message, errorCode)
{
OperationName = operationName;
Reason = reason;
}
}
As demonstrated in the project FluentValidationSample the FluentValidation
library
can be used to model validation errors.
In contrast to LogicError
s, RuntimeError
s are generated by the Result.Execute()
methods to encapsulate exceptions
thrown by the application.
Design Goals for Maybe<T>
Before discussing what can be achieved with the Maybe<T>
monad, let's clarify that it is not intended as a
replacement for Nullable<T>
.
This is mainly due to fundamental libraries, such as Entity Framework, relying on Nullable<T>
to model class
attributes, while support for structural types remains limited.
A pragmatic approach involves using Nullable<T>
for modeling class attributes and Maybe<T>
for modeling
return values and method parameters.
The advantage of using Maybe<T>
over Nullable<T>
is that Maybe<T>
provides a set of methods that enable
chaining operations in a functional manner.
This becomes particularly useful when dealing with operations that can optionally return a value,
such as querying a database.
The implicit conversion from Nullable<T>
to Maybe<T>
allows for lifting Nullable<T>
values to Maybe<T>
values and utilizing Maybe<T>
methods for chaining operations.
Practical rule: Use
Nullable<T>
to model class attributes andMaybe<T>
to model return values and method paramethers.
Converting Maybe<T>
to Result<T>
It is common to implement a pipeline of operations where an empty Maybe<T>
instance should be interpreted as a failure,
in this case the Maybe<T>
instance can be converted to a Result<T>
instance by using the ToResult
method.
The ToResult
method accepts an error as a parameter and returns a Result<T>
instance with the specified error
in case the Maybe<T>
instance is empty.
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | net5.0 was computed. net5.0-windows was computed. net6.0 is compatible. net6.0-android was computed. net6.0-ios was computed. net6.0-maccatalyst was computed. net6.0-macos was computed. net6.0-tvos was computed. net6.0-windows was computed. net7.0 is compatible. net7.0-android was computed. net7.0-ios was computed. net7.0-maccatalyst was computed. net7.0-macos was computed. net7.0-tvos was computed. net7.0-windows was computed. net8.0 is compatible. net8.0-android was computed. net8.0-browser was computed. net8.0-ios was computed. net8.0-maccatalyst was computed. net8.0-macos was computed. net8.0-tvos was computed. net8.0-windows was computed. |
.NET Core | netcoreapp3.0 was computed. netcoreapp3.1 was computed. |
.NET Standard | netstandard2.1 is compatible. |
MonoAndroid | monoandroid was computed. |
MonoMac | monomac was computed. |
MonoTouch | monotouch was computed. |
Tizen | tizen60 was computed. |
Xamarin.iOS | xamarinios was computed. |
Xamarin.Mac | xamarinmac was computed. |
Xamarin.TVOS | xamarintvos was computed. |
Xamarin.WatchOS | xamarinwatchos was computed. |
-
.NETStandard 2.1
- No dependencies.
-
net6.0
- No dependencies.
-
net7.0
- No dependencies.
-
net8.0
- No dependencies.
NuGet packages
This package is not used by any NuGet packages.
GitHub repositories
This package is not used by any popular GitHub repositories.
Version | Downloads | Last updated | |
---|---|---|---|
9.0.9 | 420 | 9/12/2024 | |
9.0.9-alpha.0.1 | 46 | 9/12/2024 | |
9.0.7 | 86 | 7/30/2024 | |
9.0.5 | 382 | 2/15/2024 | |
9.0.4 | 132 | 2/12/2024 | |
9.0.3 | 101 | 2/12/2024 | |
9.0.2 | 110 | 2/12/2024 | |
9.0.1 | 118 | 2/12/2024 | |
9.0.0 | 116 | 2/12/2024 | |
8.0.2 | 114 | 1/31/2024 | |
8.0.1 | 95 | 1/31/2024 | |
8.0.0 | 217 | 12/12/2023 | |
0.2.1 | 127 | 12/12/2023 | |
0.2.0 | 500 | 9/21/2023 | |
0.1.19 | 522 | 7/6/2023 | |
0.1.18 | 210 | 7/5/2023 | |
0.1.17 | 194 | 7/5/2023 | |
0.1.16 | 220 | 7/1/2023 | |
0.1.15 | 217 | 6/30/2023 | |
0.1.14 | 241 | 6/30/2023 | |
0.1.13 | 234 | 6/28/2023 | |
0.1.12 | 204 | 6/28/2023 | |
0.1.11 | 230 | 6/27/2023 | |
0.1.10 | 220 | 6/27/2023 | |
0.1.9 | 212 | 6/27/2023 | |
0.1.8 | 202 | 6/27/2023 | |
0.1.7 | 210 | 6/27/2023 | |
0.1.6 | 200 | 6/26/2023 | |
0.1.5 | 203 | 6/26/2023 | |
0.1.4 | 215 | 6/24/2023 | |
0.1.3 | 191 | 6/24/2023 | |
0.1.2 | 202 | 6/23/2023 | |
0.1.1 | 208 | 6/23/2023 | |
0.1.0 | 208 | 6/23/2023 | |
0.0.3 | 210 | 6/23/2023 | |
0.0.3-alpha.0.30 | 78 | 4/27/2023 | |
0.0.3-alpha.0.25 | 79 | 4/25/2023 | |
0.0.3-alpha.0.23 | 85 | 4/24/2023 | |
0.0.3-alpha.0.10 | 81 | 4/19/2023 | |
0.0.3-alpha.0.9 | 77 | 4/19/2023 | |
0.0.3-alpha.0.3 | 84 | 4/18/2023 |