SharpOutcome 0.0.11
See the version list below for details.
dotnet add package SharpOutcome --version 0.0.11
NuGet\Install-Package SharpOutcome -Version 0.0.11
<PackageReference Include="SharpOutcome" Version="0.0.11" />
paket add SharpOutcome --version 0.0.11
#r "nuget: SharpOutcome, 0.0.11"
// Install SharpOutcome as a Cake Addin #addin nuget:?package=SharpOutcome&version=0.0.11 // Install SharpOutcome as a Cake Tool #tool nuget:?package=SharpOutcome&version=0.0.11
Branch | Status |
---|---|
main |
- Installation
- Introduction
- Potential Corner Cases
- Use Cases
- Available API
Match
andMatchAsync
Switch
andSwitchAsync
IsGoodOutcome
andIsBadOutcome
TryPickGoodOutcome(out TGoodOutcome? goodOutcome)
TryPickGoodOutcome(out TGoodOutcome? goodOutcome, out TBadOutcome? badOutcome)
TryPickBadOutcome(out TBadOutcome? badOutcome)
TryPickBadOutcome(out TGoodOutcome? goodOutcome, out TBadOutcome? badOutcome)
- Helpers
- Example Code Snippets
Installation
To install, run dotnet add package SharpOutcome
or from Nuget
Introduction
SharpOutcome
offers an implementation of the Result pattern featuring a straightforward API, enabling seamless code
flow management without the need for exceptions.
There are two main types:
Outcome<TGoodOutcome, TBadOutcome>
which is aclass
.ValueOutcome<TGoodOutcome, TBadOutcome>
which is areadonly record struct
.
Both of them represent an outcome that can either be a good outcome of type TGoodOutcome
or a bad outcome of
type TBadOutcome
. For TGoodOutcome
and TBadOutcome
, you can use any non-nullable type. Non-nullable means
you can use FooBar
but not FooBar?
or Nullable<FooBar>
. This is intentional because nullability can be treated as a
bad outcome. For convenience, helper interfaces along with their concrete implementations are provided.
Both types allow constructor creation or implicit conversion. For example, if a method has return
type Task<ValueOutcome<IGoodOutcome, IBadOutcome>>
, you can use the following patterns. Implicit return is preferred
for cleaner code.
// use of constructor
return new ValueOutcome<IGoodOutcome, IBadOutcome>(new GoodOutcome(GoodOutcomeTag.Deleted));
// return based on implicit conversion
return new GoodOutcome(GoodOutcomeTag.Deleted);
Potential Corner Cases
Since
TGoodOutcome
andTBadOutcome
can take any non-nullable type, it is your responsibility to use them properly. No one will stop you from flipping the semantics. For example, you can use any non-nullable type forTBadOutcome
that is meant for something good or success, but you shouldn't.TGoodOutcome
andTBadOutcome
must be of different type. For example, if a method hasOutcome<string, string>
as the return type, what's the benefit? In this case, you can just simply usestring
as return type.ValueOutcome
is added for lowering the pressure on the garbage collector. Since C# enforces a parameterless constructor forstruct
type, no one will stop you doing the following:
ValueOutcome<string, int> MisuseOfValueOutcome()
{
return new ValueOutcome<string, int>();
}
But you will get InvalidOperationException
at runtime. If you want to enforce it in compile time, simply
use Outcome
type which has no parameterless public constructor.
The proper use of ValueOutcome
should be the following:
ValueOutcome<string, int> ProperUseOfValueOutcome()
{
if (RandomNumberGenerator.GetInt32(1, 10) == 5)
{
return "Ok";
}
return -1;
}
- Be careful when you use implicit conversion return feature from method. In the following code, you are returning
int
twice. If you are expecting BadOutcome asstring
, this will never happen because nothing is returned which hasstring
as data type.
ValueOutcome<int, string> Gotcha()
{
int number = RandomNumberGenerator.GetInt32(1, 10);
if (number % 2 == 0)
{
return number;
}
return number;
}
Use Cases
- As method parameter value.
- Method return value.
- A complete REST API with CRUD functionality example is also given to showcase the usefulness of SharpOutcome. Source code is available here.
- Example code snippets.
Available API
Match
and MatchAsync
The Match
and MatchAsync
methods execute a function on the good or bad outcome and return the result. If the outcome
is bad, the function for the bad outcome is executed; otherwise, the function for the good outcome is executed.
return await result.MatchAsync<IActionResult>(
entity => ResponseMakerAsync<Book, BookResponse>(HttpStatusCode.OK, entity),
err => ResponseMaker(err)
);
Switch
and SwitchAsync
The Switch
and SwitchAsync
methods execute an action on the good or bad outcome. If the outcome is bad, the action
for the bad outcome is executed; otherwise, the action for the good outcome is executed. These methods do not return
anything.
await result.SwitchAsync(
entity => SendOkAsync(HttpStatusCode.OK, entity),
err => SendBadRequestAsync(err)
);
IsGoodOutcome
and IsBadOutcome
The IsGoodOutcome
and IsBadOutcome
get-only properties denote the status of the resolved outcome.
TryPickGoodOutcome(out TGoodOutcome? goodOutcome)
This method tries to extract the good outcome from the Outcome
instance. If the instance represents a good outcome, it
assigns the good outcome to the goodOutcome
out parameter and returns true. If the instance represents a bad outcome,
it assigns the default value to the goodOutcome
out parameter and returns false.
var checkConfirmation = await CheckConfirmation(dto.Id);
if (checkConfirmation.TryPickGoodOutcome(out var goodOutcome))
{
return new GoodOutcome(GoodOutcomeTag.Valid, goodOutcome.ToString());
}
TryPickGoodOutcome(out TGoodOutcome? goodOutcome, out TBadOutcome? badOutcome)
This overload of TryPickGoodOutcome
tries to extract both the good and bad outcomes from the Outcome
instance. If
the instance represents a good outcome, it assigns the good outcome to the goodOutcome
out parameter, the default
value to the badOutcome
out parameter, and returns true. If the instance represents a bad outcome, it assigns the
default value to the goodOutcome
out parameter, the bad outcome to the badOutcome
out parameter, and returns false.
var result = Demo.IdSender();
return result.TryPickGoodOutcome(out var good, out var bad)
? Results.Ok(good)
: Results.BadRequest(bad);
TryPickBadOutcome(out TBadOutcome? badOutcome)
Functionality is same as TryPickGoodOutcome
but it tries to extract
the bad outcome instead of the good outcome.
TryPickBadOutcome(out TGoodOutcome? goodOutcome, out TBadOutcome? badOutcome)
Functionality is same
as TryPickGoodOutcome
but it tries to
extract the bad outcome instead of the good outcome.
Helpers
For convenience, IGoodOutcome
, IBadOutcome
, IGoodOutcomeWithPayload
, IBadOutcomeWithPayload
interfaces are
provided along with their concrete
implementations GoodOutcome
,BadOutcome
, GoodOutcomeWithPayload
, BadOutcomeWithPayload
.
public interface IGoodOutcome
{
GoodOutcomeTag Tag { get; }
string? Reason { get; }
}
public interface IGoodOutcome<out TOutcomeTag>
{
TOutcomeTag Tag { get; }
string? Reason { get; }
}
public interface IGoodOutcomeWithPayload<out TPayload>
{
GoodOutcomeTag Tag { get; }
TPayload Payload { get; }
string? Reason { get; }
}
public interface IGoodOutcomeWithPayload<out TPayload, out TOutcomeTag>
{
TOutcomeTag Tag { get; }
TPayload Payload { get; }
string? Reason { get; }
}
public interface IBadOutcome
{
BadOutcomeTag Tag { get; }
string? Reason { get; }
}
public interface IBadOutcome<out TOutcomeTag>
{
TOutcomeTag Tag { get; }
string? Reason { get; }
}
public interface IBadOutcomeWithPayload<out TPayload>
{
BadOutcomeTag Tag { get; }
TPayload Payload { get; }
string? Reason { get; }
}
public interface IBadOutcomeWithPayload<out TPayload, out TOutcomeTag>
{
TOutcomeTag Tag { get; }
TPayload Payload { get; }
string? Reason { get; }
}
Example Code Snippets
Here is an example with a service class method:
public async Task<Outcome<Book, IBadOutcome>> UpdateAsync(int id, BookRequest dto)
{
try
{
Book? entityToUpdate = await _bookDbContext.Books.FindAsync(id);
if (entityToUpdate is null) return new BadOutcome(BadOutcomeTag.NotFound);
await dto.BuildAdapter().AdaptToAsync(entityToUpdate);
_bookDbContext.Books.Attach(entityToUpdate);
_bookDbContext.Entry(entityToUpdate).State = EntityState.Modified;
await _bookDbContext.SaveChangesAsync();
return entityToUpdate;
}
catch (Exception e)
{
Console.WriteLine(e);
return new BadOutcome(BadOutcomeTag.Unexpected);
}
}
The service class can be consumed in a controller class like the following way using the MatchAsync
method:
[HttpPut("{id:int}")]
public async Task<IActionResult> PutBook(int id, BookRequest dto)
{
if (!ModelState.IsValid) return ResponseMaker(HttpStatusCode.BadRequest);
Outcome<Book, IBadOutcome> result = await _bookService.UpdateAsync(id, dto);
return result.Match<IActionResult>(
entity => ResponseMaker(HttpStatusCode.OK, entity),
err => ResponseMaker(err)
);
}
private IActionResult ResponseMaker(IBadOutcome error)
{
var code = error.Tag switch
{
BadOutcomeTag.Failure => HttpStatusCode.InternalServerError,
BadOutcomeTag.Unexpected => HttpStatusCode.InternalServerError,
BadOutcomeTag.Validation => HttpStatusCode.BadRequest,
BadOutcomeTag.Conflict => HttpStatusCode.Conflict,
BadOutcomeTag.NotFound => HttpStatusCode.NotFound,
BadOutcomeTag.Unauthorized => HttpStatusCode.Unauthorized,
BadOutcomeTag.Forbidden => HttpStatusCode.Forbidden,
_ => HttpStatusCode.InternalServerError,
};
return ResponseMaker(code, null, error.Reason);
}
private IActionResult ResponseMaker(HttpStatusCode code, object? data = null, string? message = null)
{
if (code == HttpStatusCode.NoContent) return NoContent();
var castedCode = (int)code;
var isSuccess = castedCode is >= 200 and < 300;
var res = new
{
Success = isSuccess,
Message = message ?? ReasonPhrases.GetReasonPhrase(castedCode),
Code = castedCode,
Data = data
};
return StatusCode(castedCode, res);
}
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | 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 was computed. 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 was computed. 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. |
-
net6.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.