| name | dotnet-feature |
| description | Expert .NET 10 Full-Stack Developer skill. Use this when implementing new features, vertical slices, or modifying existing logic in the MoreSpeakers application. It covers Domain, Data (EF Core), Managers, and Web (Razor Pages + HTMX). |
.NET Feature Implementation Skill
Overview
This skill guides the implementation of features following the Clean Architecture pattern used in MoreSpeakers.com. It ensures consistency across the Domain, Data, Managers, and Web layers.
Architecture Flow
- Domain: Define Interfaces, Models, and Enums. (No dependencies)
- Data: Implement DataStores using EF Core. (Depends on Domain)
- Managers: Implement Business Logic. (Depends on Data + Domain)
- Web: Implement UI with Razor Pages and HTMX. (Depends on Managers)
Coding Standards
General C# Guidelines
- Namespaces: ALWAYS use File-Scoped Namespaces (e.g.,
namespace MoreSpeakers.Web;). - Injection: ALWAYS inject Interfaces (
IUserManager), never concrete types. - Async: ALWAYS use
async/awaitthroughout the stack.
1. Domain Layer (src/MoreSpeakers.Domain)
- Models should be POCOs with DataAnnotations for validation.
- Interfaces (
IDataStore,IManager) should returnTask<T>.
2. Data Layer (src/MoreSpeakers.Data)
- Pattern: Repository/DataStore pattern.
- Context: Use
MoreSpeakersDbContext. - Mapping: Use AutoMapper to map between Entity and Domain models if they differ.
- NO Migrations: Do not run EF migrations. Schema is handled by
sql-schemaskill.
public class SpeakerDataStore : ISpeakerDataStore
{
private readonly MoreSpeakersDbContext _context;
// ... constructor ...
public async Task<Speaker?> GetAsync(Guid id)
{
// Use AsNoTracking for read-only operations
var entity = await _context.Speakers.AsNoTracking().FirstOrDefaultAsync(x => x.Id == id);
return _mapper.Map<Speaker>(entity);
}
}
3. Manager Layer (src/MoreSpeakers.Managers)
- Contains all business logic.
- orchestrates calls between DataStores and external services (Email, etc.).
4. Web Layer (src/MoreSpeakers.Web)
- Framework: Razor Pages.
- Interactivity: HTMX and Hyperscript (Minimize custom JS).
- Partials: Use Partial Views (
_SpeakerGrid.cshtml) for HTMX targets.
HTMX Pattern
The Container (Parent Page):
<div id="list-container">
<partial name="_ListPartial" model="Model.Items" />
</div>
<button hx-get="@Url.Page("Index", "LoadMore")"
hx-target="#list-container"
hx-swap="beforeend">
Load More
</button>
The Handler (PageModel):
public async Task<IActionResult> OnGetLoadMoreAsync()
{
var items = await _manager.GetNextBatchAsync();
return Partial("_ListPartial", items);
}
Checklist for New Features
- Defined Model in
Domain. - Created
IDataStoreinterface inDomain. - Implemented
DataStoreinData. - Registered
DataStoreinProgram.cs(Scoped). - Created
IManagerinterface inDomain. - Implemented
ManagerinManagers. - Registered
ManagerinProgram.cs(Scoped). - Created Razor Page + PageModel.
- Implemented HTMX interactions if dynamic updates are needed.