DRN.Framework.SharedKernel
0.7.0-preview057
Prefix Reserved
See the version list below for details.
dotnet add package DRN.Framework.SharedKernel --version 0.7.0-preview057
NuGet\Install-Package DRN.Framework.SharedKernel -Version 0.7.0-preview057
<PackageReference Include="DRN.Framework.SharedKernel" Version="0.7.0-preview057" />
<PackageVersion Include="DRN.Framework.SharedKernel" Version="0.7.0-preview057" />
<PackageReference Include="DRN.Framework.SharedKernel" />
paket add DRN.Framework.SharedKernel --version 0.7.0-preview057
#r "nuget: DRN.Framework.SharedKernel, 0.7.0-preview057"
#:package DRN.Framework.SharedKernel@0.7.0-preview057
#addin nuget:?package=DRN.Framework.SharedKernel&version=0.7.0-preview057&prerelease
#tool nuget:?package=DRN.Framework.SharedKernel&version=0.7.0-preview057&prerelease
DRN.Framework.SharedKernel package is an lightweight package that contains common codes suitable for contract and domain layers. It can be referenced by any projects such as other DRN.Framework packages, projects developed with DRN.Framework.
JsonConventions
System.Text.Json defaults will be overridden by JsonConventions when
- DrnTestContext is used in tests
- DrnHostBuilder is used to build host
namespace DRN.Framework.SharedKernel.Json;
public static class JsonConventions
{
private const BindingFlags StaticPrivate = BindingFlags.Static | BindingFlags.NonPublic;
static JsonConventions()
{
//https://stackoverflow.com/questions/58331479/how-to-globally-set-default-options-for-system-text-json-jsonserializer
UpdateDefaultJsonSerializerOptions();
}
public static readonly JsonSerializerOptions DefaultOptions = SetJsonDefaults();
public static JsonSerializerOptions SetJsonDefaults(JsonSerializerOptions? options = null)
{
options ??= new JsonSerializerOptions(JsonSerializerDefaults.Web);
options.Converters.Add(new JsonStringEnumConverter());
options.Converters.Add(new Int64ToStringConverter());
options.Converters.Add(new Int64NullableToStringConverter());
options.AllowTrailingCommas = true;
options.PropertyNameCaseInsensitive = true;
options.PropertyNamingPolicy = JsonNamingPolicy.CamelCase;
options.NumberHandling = JsonNumberHandling.AllowReadingFromString;
options.MaxDepth = 32;
options.TypeInfoResolver = JsonSerializer.IsReflectionEnabledByDefault
? new DefaultJsonTypeInfoResolver()
: JsonTypeInfoResolver.Combine();
return options;
}
public static JsonSerializerOptions SetHtmlSafeWebJsonDefaults(JsonSerializerOptions? options = null)
{
options = SetJsonDefaults(options);
options.Encoder = JavaScriptEncoder.Default;
return options;
}
}
Exceptions
DrnException are used in DRN.Framework and DRN.Nexus and can be used any project. These exceptions contain additional category property so that same
exception types can be differentiated with a subcategory. They also contain status code so that HttpScopeHandler can respect that.
ExceptionFor factory class groups all DrnExceptions.
namespace DRN.Framework.SharedKernel;
/// <summary>
/// DrnExceptions are handled by scope handler and can be used to short circuit the processing pipeline
/// </summary>
public abstract class DrnException(string message, Exception? ex, string? category, short? status = null)
: Exception(message, ex)
{
public const string DefaultCategory = "default";
public string Category { get; } = category ?? DefaultCategory;
public short Status { get; } = status ?? 500;
public new IDictionary<string, object> Data { get; } = new Dictionary<string, object>();
}
/// <summary>
/// Scope handler returns 400 when thrown
/// </summary>
public class ValidationException(string message, Exception? ex = null, string? category = null)
: DrnException(message, ex, category, 400);
...
public static class ExceptionFor
{
private const string Default = DrnException.DefaultCategory;
/// <summary>
/// Scope handler returns 400 when thrown
/// </summary>
public static ValidationException Validation(string message, Exception exception = null!, string? category = Default)
=> new(message, exception, category);
/// <summary>
/// Scope handler returns 401 when thrown
/// </summary>
public static UnauthorizedException Unauthorized(string message, Exception exception = null!, string? category = Default)
=> new(message, exception, category);
/// <summary>
/// Scope handler returns 403 when thrown
/// </summary>
public static ForbiddenException Forbidden(string message, Exception? exception = null, string? category = Default)
=> new(message, exception, category);
/// <summary>
/// Scope handler returns 404 when thrown
/// </summary>
public static NotFoundException NotFound(string message, Exception exception = null!, string? category = Default)
=> new(message, exception, category);
/// <summary>
/// Scope handler returns 409 when thrown
/// </summary>
public static ConflictException Conflict(string message, Exception exception = null!, string? category = Default)
=> new(message, exception, category);
/// <summary>
/// Scope handler returns 410 when thrown
/// </summary>
public static ExpiredException Expired(string message, Exception exception = null!, string? category = Default)
=> new(message, exception, category);
/// <summary>
/// Scope handler returns 500 when thrown
/// </summary>
public static ConfigurationException Configuration(string message, Exception? ex = null, string? category = Default)
=> new(message, ex, category);
/// <summary>
/// Scope handler returns 422 when thrown
/// </summary>
public static UnprocessableEntityException UnprocessableEntity(string message, Exception exception = null!, string? category = Default)
=> new(message, exception, category);
/// <summary>
/// To abort requests that doesn't even deserve a result
/// </summary>
public static MaliciousRequestException MaliciousRequest(string message, Exception exception = null!, string? category = Default)
=> new(message, exception, category);
}
Attributes
When an object, property, or field is annotated with the IgnoreLog attribute, the IScopeLog implementation detects this attribute and excludes the marked element from the log data.
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Struct | AttributeTargets.Property | AttributeTargets.Field)]
public class IgnoreLogAttribute : Attribute;
public static class IgnoreLogExtensions
{
public static bool IgnoredLog(this object obj) => obj.GetType().GetCustomAttributes()
.Any(attribute => attribute.GetType() == typeof(IgnoreLogAttribute));
public static bool IgnoredLog(this PropertyInfo info) =>
info.PropertyType == typeof(object) ||
info.GetCustomAttributes().Union(info.PropertyType.GetCustomAttributes())
.Any(attribute => attribute.GetType() == typeof(IgnoreLogAttribute));
}
SecureKeyAttribute
Validates that a string meets secure key requirements (length, character classes, allowed characters).
[AttributeUsage(AttributeTargets.Property | AttributeTargets.Field | AttributeTargets.Parameter, AllowMultiple = false)]
public sealed class SecureKeyAttribute() : ValidationAttribute(DefaultErrorMessage)
{
public ushort MinLength { get; set; } = 16;
public ushort MaxLength { get; set; } = 256;
// ... configuration properties
}
AppConstants
namespace DRN.Framework.SharedKernel;
public static class AppConstants
{
public static int ProcessId { get; } = Environment.ProcessId;
public static Guid AppInstanceId { get; } = Guid.NewGuid();
public static string EntryAssemblyName { get; } = Assembly.GetEntryAssembly()?.GetName().Name ?? "Entry Assembly Not Found";
public static string TempPath { get; } = GetTempPath(); //Cleans directory at every startup
public static string LocalIpAddress { get; } = GetLocalIpAddress();
...
}
Domain Base Definitions
Following definitions provide guidance and conventions for rapid and effective domain design. Their usage is not necessary however other framework features such as DrnContext benefits from them.
- SourceKnownEntity: The base class for entities. It handles identity (long Id for DB, Guid EntityId for external), domain events, and auditing.
- EntityTypeAttribute: Defines a stable, unique byte identifier for each entity type.
- Domain Events: Entities encapsulate their events.
DrnContextpublishes them automatically.
namespace DRN.Framework.SharedKernel.Domain;
/// <summary>
/// Application wide Unique Entity Type
/// </summary>
[AttributeUsage(AttributeTargets.Class, Inherited = false, AllowMultiple = false)]
public sealed class EntityTypeAttribute(byte entityType) : Attribute
{
public byte EntityType { get; } = entityType;
}
public abstract class SourceKnownEntity(long id = 0) : IHasEntityId, IEquatable<SourceKnownEntity>, IComparable<SourceKnownEntity>
{
public const int IdColumnOrder = 0;
public const int ModifiedAtColumnOrder = 1;
private List<IDomainEvent> DomainEvents { get; } = new(2);
public IReadOnlyList<IDomainEvent> GetDomainEvents() => DomainEvents;
/// <summary>
/// Internal use only, Use EntityId for external usage
/// </summary>
[JsonIgnore]
[Column(Order = IdColumnOrder)]
public long Id { get; internal set; } = id;
/// <summary>
/// External use only, don't use Id for external usage
/// </summary>
[JsonPropertyName(nameof(Id))]
[JsonPropertyOrder(-3)]
public Guid EntityId => EntityIdSource.EntityId;
[JsonPropertyOrder(-2)]
public DateTimeOffset CreatedAt => EntityIdSource.Source.CreatedAt;
[ConcurrencyCheck]
[JsonPropertyOrder(-1)]
[Column(Order = ModifiedAtColumnOrder)]
public DateTimeOffset ModifiedAt { get; protected internal set; }
[JsonIgnore]
public SourceKnownEntityId EntityIdSource { get; internal set; }
// ... GetEntityId methods, Equals, CompareTo
}
public abstract class AggregateRoot(long id = 0) : SourceKnownEntity(id);
public abstract class AggregateRoot<TModel>(long id = 0) : AggregateRoot(id), IEntityWithModel<TModel> where TModel : class
{
public TModel Model { get; set; } = null!;
}
public interface IDomainEvent
{
Guid Id { get; }
DateTimeOffset Date { get; }
Guid EntityId { get; }
}
public abstract class DomainEvent(SourceKnownEntity sourceKnownEntity) : IDomainEvent
{
public Guid Id { get; protected init; } = Guid.NewGuid();
public Guid EntityId => sourceKnownEntity.EntityId;
public DateTimeOffset Date { get; protected init; } = DateTimeOffset.UtcNow;
}
public abstract class EntityCreated(SourceKnownEntity sourceKnownEntity) : DomainEvent(sourceKnownEntity);
public abstract class EntityModified(SourceKnownEntity sourceKnownEntity) : DomainEvent(sourceKnownEntity);
public abstract class EntityDeleted(SourceKnownEntity sourceKnownEntity) : DomainEvent(sourceKnownEntity);
SourceKnownRepository
ISourceKnownRepository<TEntity> defines a standard contract for repositories managing AggregateRoot entities. It offers a consistent API for data access, identity management, and unit of work patterns.
- Standardized Access: Provides common CRUD operations (
CreateAsync,GetAsync,DeleteAsync). - Identity Conversion: Includes methods to convert between external
Guids and internalSourceKnownEntityIds usingGetEntityIdhelper methods, ensuring IDs are valid and match the expected entity type. - Cancellation Support: Built-in support for
CancellationTokenpropagation.
GetAllAsync() returns all matching entities in a single query. This should be used only when the result set is guaranteed to be small (e.g., via repository settings filters) or for specific maintenance tasks. Avoid in public-facing APIs.
public interface ISourceKnownRepository<TEntity> where TEntity : AggregateRoot
{
RepositorySettings<TEntity> Settings { get; set; }
// Identity Conversion & Validation
SourceKnownEntityId GetEntityId(Guid id, bool validate = true);
SourceKnownEntityId GetEntityId<TOtherEntity>(Guid id) where TOtherEntity : SourceKnownEntity;
// Data Access
Task<TEntity?> GetOrDefaultAsync(SourceKnownEntityId id, bool validate = true);
Task<PaginationResultModel<TEntity>> PaginateAsync(PaginationRequest request, EntityCreatedFilter? filter = null);
}
SourceKnownEntity
SourceKnownEntity is the base class for all domain entities. It standardizes identity management, domain events, and auditing.
- EntityTypeAttribute: Every
SourceKnownEntitymust be decorated with[EntityType(byte)]. This assigns a unique, stable byte identifier to the class, which is used for ID generation and type safety. - ID Conversion: Provides
GetEntityIdmethods to convert internallongIDs or externalGuids into strongly-typedSourceKnownEntityIds. - Validation:
- Parser & IdFactory: Internal delegates used to reconstruct IDs.
- Validation:
GetEntityIdmethods include abool validate = trueparameter (default). When true, it verifies the ID's structure and ensures the entity type matches the expected type.
[EntityType(1)] // Unique byte identifier for this entity type
public class MyEntity : SourceKnownEntity
{
// ...
}
// Usage
var entityId = myEntity.GetEntityId(someGuid, validate: true); // Validates ID structure and EntityType
SourceKnownEntityId & SourceKnownId
The framework uses a composite identifier system to balance database performance with external security and type safety.
SourceKnownId
The internal structure representing the identity components.
public readonly record struct SourceKnownId(
long Id, // The internal database ID (64-bit integer)
DateTimeOffset CreatedAt, // Timestamp when the ID was generated
uint InstanceId, // Generator instance ID (for distributed uniqueness)
byte AppId, // Application ID
byte AppInstanceId // Application Instance ID
);
SourceKnownEntityId
The public-facing identifier wrapper.
public readonly record struct SourceKnownEntityId(
SourceKnownId Source, // The decoded internal components
Guid EntityId, // The external opaque GUID
byte EntityType, // The entity type identifier (from EntityTypeAttribute)
bool Valid // Whether the ID structure is valid
)
{
// Validates that this ID belongs to the specified TEntity type
public void Validate<TEntity>() where TEntity : SourceKnownEntity
=> Validate(SourceKnownEntity.GetEntityType<TEntity>());
// Validates ID structure and checks type match
public void Validate(byte entityType);
}
Pagination
The framework provides a robust pagination system capable of handling large datasets efficiently using cursor-based navigation.
- PaginationRequest: Encapsulates page number, page size, cursor (sorting/filtering position), and optional total count updates.
- PaginationResult: Returns a slice of data along with navigation metadata (
HasNext,HasPrevious,TotalCount). - Cursor Support: Optimizes performance for "Next/Previous" navigation by using stable cursors instead of expensive offset-based skipping.
// Example usage in a repository or service
var request = PaginationRequest.DefaultWith(size: 20, direction: PageSortDirection.Descending);
var result = await repository.PaginateAsync(request);
if (result.HasNext)
{
// Logic to prepare next page link
}
Semper Progressivus: Always Progressive
Commit Info
Author: Duran Serkan KILIÇ
Date: 2026-01-25 10:27:24 +0300
Hash: 7703f177a808c9188630ababed58c565601f380b
| Product | Versions Compatible and additional computed target framework versions. |
|---|---|
| .NET | net10.0 is compatible. net10.0-android was computed. net10.0-browser was computed. net10.0-ios was computed. net10.0-maccatalyst was computed. net10.0-macos was computed. net10.0-tvos was computed. net10.0-windows was computed. |
-
net10.0
- No dependencies.
NuGet packages (1)
Showing the top 1 NuGet packages that depend on DRN.Framework.SharedKernel:
| Package | Downloads |
|---|---|
|
DRN.Framework.Utils
DRN.Framework.Utils package contains common codes for other DRN.Framework packages, projects developed with DRN.Framework. ## Commit Info Author: Duran Serkan KILIÇ Date: 2026-02-22 21:34:20 +0300 Hash: d21653aedefb23224563d6b0a530ae0a8ffa36ad |
GitHub repositories
This package is not used by any popular GitHub repositories.
| Version | Downloads | Last Updated |
|---|---|---|
| 0.7.0-preview064 | 0 | 2/22/2026 |
| 0.7.0-preview063 | 27 | 2/21/2026 |
| 0.7.0-preview062 | 106 | 2/11/2026 |
| 0.7.0-preview061 | 140 | 2/7/2026 |
| 0.7.0-preview060 | 115 | 1/28/2026 |
| 0.7.0-preview059 | 118 | 1/26/2026 |
| 0.7.0-preview058 | 116 | 1/25/2026 |
| 0.7.0-preview057 | 120 | 1/25/2026 |
| 0.7.0-preview056 | 120 | 1/10/2026 |
| 0.7.0-preview055 | 291 | 12/16/2025 |
| 0.7.0-preview054 | 199 | 12/13/2025 |
| 0.7.0-preview053 | 144 | 12/12/2025 |
| 0.7.0-preview052 | 457 | 12/9/2025 |
| 0.7.0-preview051 | 325 | 12/7/2025 |
| 0.7.0-preview050 | 233 | 12/7/2025 |
| 0.7.0-preview049 | 208 | 11/26/2025 |
| 0.7.0-preview048 | 213 | 11/24/2025 |
| 0.7.0-preview047 | 183 | 11/7/2025 |
| 0.7.0-preview046 | 244 | 11/6/2025 |
| 0.6.0 | 256 | 11/10/2024 |
Not every version includes changes, features or bug fixes. This project can increment version to keep consistency with other DRN.Framework projects.
## Version 0.6.0
My family celebrates the enduring legacy of Mustafa Kemal Atatürk's enlightenment ideals. This release is dedicated to the memory of Mustafa Kemal Atatürk, founder of the Republic of Türkiye, and to his vision for a modern, enlightened, democratic nation. In his eternal rest, he continues to guide us through his ideals of freedom, progress, and national sovereignty.
## Version 0.5.0
My family celebrates the enduring legacy of Mustafa Kemal Atatürk's enlightenment ideals. This release is dedicated to August 30 Victory Day, a day that marks the decisive victory achieved by the Turkish people against imperialism during the Turkish War of Independence, leading to the establishment of the Republic of Türkiye.
### Breaking Changes
* DrnException implementations - refactored
* Http status code parameter added
* ExceptionFor factory class added to create DrnExceptions as needed
## Version 0.4.0~~~~
My family celebrates the enduring legacy of Mustafa Kemal Atatürk's enlightenment ideals. This release is dedicated to 19 May Commemoration of Atatürk, Youth and Sports Day.
## Version 0.3.0
My family celebrates the enduring legacy of Mustafa Kemal Atatürk's enlightenment ideals. This release is dedicated to 23 April National Sovereignty and Children's Day.
### Breaking Changes
* JsonSerializerOptions - moved to JsonConventions. System.Text.Json defaults will be overridden by JsonConventions when
* DrnTestContext is used in tests
* DrnHostBuilder is used to build host
### New Features
* Entity and AggregateRoot base classes' ModifiedAt property now has `ConcurrencyCheck` attribute and can be used for optimistic concurrency.
### Bug Fixes
* `AppConstants` LocalIpAddress calculation exception handling
## Version 0.2.0
### New Features
* JsonSerializerOptions - added to AppConstants which is same with default dotnet settings for now.
* AggregateRoot, Entity, DomainEvent
## Version 0.1.0
### New Features
* AppConstants
* DRN Framework exceptions
* ValidationException
* NotFoundException
* NotSavedException
* ExpiredException
* ConfigurationException
---
**Semper Progressivus: Always Progressive**
## Commit Info
Author: Duran Serkan KILIÇ
Date: 2026-01-25 10:27:24 +0300
Hash: 7703f177a808c9188630ababed58c565601f380b