mirror of
https://github.com/hmaxnl/DotBased.git
synced 2025-04-05 05:51:27 +02:00
92 lines
2.8 KiB
C#
Executable File
92 lines
2.8 KiB
C#
Executable File
namespace DotBased;
|
|
|
|
/// <summary>
|
|
/// Simple result class for returning a result state or a message and an exception.
|
|
/// </summary>
|
|
public class Result
|
|
{
|
|
public Result(bool success, string message, Exception? exception)
|
|
{
|
|
Success = success;
|
|
Message = message;
|
|
Exception = exception;
|
|
}
|
|
|
|
public Result(Result bObj)
|
|
{
|
|
Success = bObj.Success;
|
|
Message = bObj.Message;
|
|
Exception = bObj.Exception;
|
|
}
|
|
|
|
public bool Success { get; set; }
|
|
public string Message { get; set; }
|
|
public Exception? Exception { get; set; }
|
|
|
|
public static Result Ok() => new(true, string.Empty, null);
|
|
public static Result Failed(string message, Exception? exception = null) => new(false, message, exception);
|
|
}
|
|
|
|
public class Result<TValue> : Result
|
|
{
|
|
public Result(bool success, string message, TValue? value, Exception? exception) : base(success, message, exception)
|
|
{
|
|
Value = value;
|
|
}
|
|
public Result(Result bObj) : base(bObj)
|
|
{
|
|
|
|
}
|
|
public TValue? Value { get; set; }
|
|
|
|
public static Result<TValue> Ok(TValue value) => new(true, string.Empty, value, null);
|
|
|
|
public new static Result<TValue> Failed(string message, Exception? exception = null) =>
|
|
new(false, message, default, exception);
|
|
|
|
public new static Result<TValue> HandleResult(TValue? value, string failedMessage, Exception? exception = null)
|
|
{
|
|
return value == null ? Failed(failedMessage, exception) : Ok(value);
|
|
}
|
|
}
|
|
|
|
public class ListResult<TItem> : Result
|
|
{
|
|
public ListResult(bool success, string message, int totalCount, IEnumerable<TItem>? items, int limit = -1, int offset = -1, Exception? exception = null) : base(success, message, exception)
|
|
{
|
|
Items = items != null ? new List<TItem>(items) : new List<TItem>();
|
|
TotalCount = totalCount;
|
|
}
|
|
|
|
public ListResult(Result bObj) : base(bObj)
|
|
{
|
|
Items = new List<TItem>();
|
|
}
|
|
|
|
public readonly IReadOnlyList<TItem> Items;
|
|
/// <summary>
|
|
/// The amount of items that this result contains.
|
|
/// </summary>
|
|
public int Count => Items.Count;
|
|
|
|
/// <summary>
|
|
/// The total amount of item that is available.
|
|
/// </summary>
|
|
public int TotalCount { get; }
|
|
|
|
/// <summary>
|
|
/// The limit this result contains
|
|
/// </summary>
|
|
public int Limit { get; }
|
|
|
|
/// <summary>
|
|
/// The offset this result has the items from.
|
|
/// </summary>
|
|
public int Offset { get; }
|
|
|
|
public static ListResult<TItem> Ok(IEnumerable<TItem> items, int totalCount = -1, int limit = -1, int offset = -1) =>
|
|
new(true, string.Empty, totalCount, items);
|
|
|
|
public new static ListResult<TItem> Failed(string message, Exception? exception = null) =>
|
|
new(false, message, -1, null);
|
|
} |