Magic EF Scaffolding is a revolutionary project designed to make database-first Entity Framework (EF) the powerhouse it was always meant to be. Say goodbye to the perceived downsides of database-first and embrace automation and ease that will make you wonder why anyone would ever choose code-first! If you've been longing for a truly optimized workflow for database-first development, you're in for a treat.
Read the article on Magic EF to fully digest and understand the capabilities!
- The article honestly does a fantastic job introducing Magic EF and I highly suggest you make that your first read.
Yes there's more! Much more to the Magic EF protocol. Please reference the Wiki to see additional arguments and capabilities:
Additional features not discussed in the read me is:
1.) Pipeline Migration Runner Protocol
2.) View DTO Scaffolding Protocol
The Read Me here mostly goes over the primary Magic EF protocol.
This project works off of NET 8 SDK. Validate this as well if you have issues because maybe I forgot to update this documentation. But the CLI app itself is in NET 8 as of right now and I plan to stick to the newest LTS versions of NET for this project. So install the appropriate NET SDK's to your PC. I may build a self contained released version that I manually package in the future, but that isn't in the works right now.
This project works alongside dotnet ef dbcontext
. Youβll need to install the following tools:
In your terminal or command prompt:
dotnet tool install --global dotnet-ef
dotnet tool install --global MagicEf
Then you can use this in any environment easily and not have to target the exe and so on.
Itβs highly recommended to use a separate C# class library for your database models and scaffolding. Combining this with your primary project is not advised. Create a new C# Class Library project if you havenβt already.
I made some video tutorials. Tried my best to go over what's important. In my opinion, the GIT/Wiki is easier and faster to digest, but I also prefer reading! Up to you, I just wanted to make it easier to learn how to use MagicEF with however you wish to digest :)
This automated initial setup will automatically set up your project based on the suggested protocol and specifications.
Use the Scaffold_Script_Exemple.ps1
provided in the repository. Simply place the file in your Csharp project directory location next to the csproj file. Edit the file and replace the first 4 variables based on your specifications:
# Replace this with your actual connection string
$connectionString = "{Your_Connection_String}" # Use a safe string like AD auth
# Define user-specified variables
$projectFileName = "{csproj_file_name}.csproj" # Name of your project file (assumes .\ by default)
$namespace = "{Project_Namespace}" # Project namespace
$dbContextFile = "{Your_DbContext_Name}" # Name of your DbContext file
Then open a powershell or command line (any OS works) and CD to the project directory. Finally run .\Scaffold_Script_Example.ps1
or whatever is the equivalent in your OS. And then like magic it'll install everything for you! It's highly suggested you utilize this route to work with Magic EF. Anything else will require deeper understanding and is more likely for enterprise level setup where additional separate is required.
You can re-run this script safely over and over however many times you wish. Your changes will not be removed or altered. This will scaffold your database and apply new MagicEF protocol extensions whenever you make database changes. This script duals as the initial setup and a fantastic easy to use script for use whenever you want to run the scaffold. Magic EF is meant to be used alongside DotNet scaffolding and this bundles it together for you!
This script can be utilized within Azure pipeline or any pipeline process. As all the safety features are baked in on your behalf. You can now utilize database first like never before in pipelines across environments safely! How though?! Bwahahaha, let me tell you! The following commands resolve legendary database first pipeline environment issues:
--ambiguousIndex
--removeOnConfiguring
MagicEF runs after dotnet scaffold. Once a dotnet scaffold occurs, code breaking changes occurs within the scaffolded DbContext (aka the MagicEF ReadOnlyDbContext). Additional ambiguous index issues is commonplace on all scaffolded models. These commands remove code breaking changes that occur after any dotnet scaffold. Safely allowing you to proceed after a scaffold to match your context to the environment you're moving too! And baked into MagicEF's protocol is a process that avoids many more significant challenges that normally occur with pipeline environment changes.
You can run the following command to start the initial setup for your project. This isn't fully suggested nor is it fully considered, "Automated" without the script. As you'll still need to following the rest of the manual setup instructions. Though you can skip steps 1-3 if you run this first.
MagicEf --initialSetup --projectFilePath "{Full_Path_To_csproj_File}" --namespace "{Project_Namespace}" --dbContext "{Desired_DbContext_Class_Name}"
The following is the instructions to manually setup MagicEF
Navigate to the directory of your class library and run the following commands:
dotnet add package Microsoft.EntityFrameworkCore.SqlServer
dotnet add package Microsoft.EntityFrameworkCore.Tools
dotnet add package Microsoft.EntityFrameworkCore.Design
dotnet add package Microsoft.EntityFrameworkCore.Proxies
Create the following folder structure in your project:
Concrete
DbHelpers
DbModels
Extensions
Interfaces
MetaDataClasses
At the base directory of your project, create a new C# file for your custom DbContext
. The filename is up to you. Use the following template for the class:
public partial class MyDbContext : ReadOnlyDbContext
{
public MyDbContext()
{
}
public MyDbContext(DbContextOptions<ReadOnlyDbContext> options)
: base(options) // Pass the correct type to the base class constructor
{
}
protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
=> optionsBuilder.UseSqlServer(GetConnectionString());
public string GetConnectionString()
{
// Write your logic to return the connection string
return null; // return the actual connection string!
}
}
Important: Copy this template exactly, including the inheritance from ReadOnlyDbContext
, which will be generated in later steps. I also suggest you create this after you run the --scaffoldProtocol
first.
Then pre-create the ReadOnlyDbContext with the following example. This'll get overwritten, but it's just to have the code not freak out on the initial run:
public partial class ReadOnlyDbContext : DbContext
{
public ReadOnlyDbContext()
{
}
public ReadOnlyDbContext(DbContextOptions<ReadOnlyDbContext> options)
: base(options)
{
}
protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
=> optionsBuilder.UseSqlServer("");
}
You can scaffold directly utilizing the command line if you wish, but I'm going to show you how to do this with PowerShell.
cd "<path-to-your-project>"
# Read the connection string from a file
$connectionString = Get-Content -Path "ExampleConnectionString.txt"
# Define paths
$modelsDirectory = "DbModels" # Scaffolded models directory
$contextDirectory = "." # DbContext remains in the base directory
# Execute scaffolding
dotnet ef dbcontext scaffold $connectionString Microsoft.EntityFrameworkCore.SqlServer `
--context ReadOnlyDbContext `
--output-dir $modelsDirectory `
--context-dir $contextDirectory `
--namespace DataAccess `
--force `
--data-annotations
- Adjust paths as necessary for your setup.
- The
DbModels
directory will contain your scaffolded models. - Do not edit scaffolded models or the
ReadOnlyDbContext
class, as they will be overwritten when re-scaffolded in the future.
This is where the magic happens! Once dotnet ef
has scaffolded your models and context, Magic EF Scaffolding automates further enhancements and organization for an efficient database-first workflow.
If you want to do this manually, you can, but I suggest just using the dotnet tool MagicEF from Nuget.
- Clone the Magic EF Scaffolding repository.
- Build the project to generate the executable file (
MagicEf.exe
). - Optionally, add the executable to your system path for easy access, or call it directly using its full path.
Here are example commands and their purposes. Replace the paths with your project-specific paths.
MagicEF --ambiguousIndex --directoryPath "<path-to-DbModels-folder>"
This command resolves common issues with ambiguous context in scaffolded models.
MagicEF --removeOnConfiguring --filePath "<path-to-ReadOnlyDbContext.cs>"
Removes the OnConfiguring
method from the scaffolded ReadOnlyDbContext
, ensuring it exists only in your custom DbContext
class for better control.
MagicEF --separateVirtualProperties --directoryPath "<path-to-DbModels-folder>"
Separates the virtual properties from the scaffold models into a separate file appended with, "SeparateVirtual" to the file name. The virtual properties are then added to a partial class. Thus functioning identically but making GIT control better when changes occur. Separating actual table/model changes from reference changes.
MagicEF --dbHelpers "<path-to-DbHelpers-folder>" --customContextFilePath "<path-to-custom-DbContext.cs>"
Generates essential helper files in the DbHelpers
folder to simplify database interactions.
MagicEF --scaffoldProtocol \
--concretePath "<path-to-Concrete-folder>" \
--modelPath "<path-to-DbModels-folder>" \
--extensionPath "<path-to-Extensions-folder>" \
--metaDataPath "<path-to-MetaDataClasses-folder>" \
--interfacesPath "<path-to-Interfaces-folder>" \
--projectFilePath "<path-to-project.csproj>"
Generates metadata, extensions, interfaces, and concrete files for scaffolded models, enhancing your workflow without overwriting existing files.
For efficiency, create a script combining EF scaffolding and Magic EF Scaffolding. Automate this process in local development or CI/CD pipelines to ensure your scaffolding aligns with database changes.
- Concrete Files: Contains methods like
GetById
with automatically generated parameters. - Extension Files: Add custom properties or methods to models using the
NotMapped
attribute. - Interface Files: Define model contracts.
- Metadata Files: Store auxiliary data about models.
- Helper Files: Simplify database access and operations.
Hereβs how easy it becomes to use your database-first models:
using (var _dbContext = new DbHelper().GetMyDbContext())
{
// Your database logic here
}
Automatically generated repository classes make CRUD operations straightforward:
repository.Add(entity);
repository.AddRange(entities);
repository.Update(entity);
repository.UpdateRange(entities);
repository.Delete(entity);
repository.DeleteRange(entities);
var results = repository.GetAllNoTracking().Where(x => x.Id == 2).ToList();
Leverage LINQ to build SQL queries seamlessly:
var result = repository.GetAll().FirstOrDefault(x => x.Name == "Sample");
The repository base provided in this project introduces several powerful features to streamline database access and simplify complex queries. These features include context sharing, WithContext
methods for effortless context management, and a robust LazyLoad
helper for post-context data retrieval.
At its core, the repository base provides methods for retrieving entities from the database using Entity Framework Core. These methods are designed with flexibility in mind, allowing you to:
- Override the default
DbContext
when needed. - Use "no tracking" for optimized read-only queries.
- Extract the context (
WithContext
) for easy reuse in multi-repository operations.
-
GetAll
public virtual IQueryable<TEntity> GetAll(DbContext _ContextOverride = null) { if (_ContextOverride != null) return _ContextOverride.Set<TEntity>(); else return _dbSet; }
Retrieves all entities of type
TEntity
. It uses the default context unless an override is provided. -
GetAllNoTracking
public virtual IQueryable<TEntity> GetAllNoTracking(DbContext _ContextOverride = null) { if (_ContextOverride != null) return _ContextOverride.Set<TEntity>().AsNoTracking(); else return _dbSet.AsNoTracking(); }
Similar to
GetAll
, but disables change tracking, making it ideal for read-only queries. -
GetAllWithContext
public virtual IQueryable<TEntity> GetAllWithContext(out DbContext context) { context = _dbContext; return GetAll(context); }
Returns the entities while also providing the active context via an
out
parameter. This enables easy sharing of the context for subsequent queries. -
GetAllNoTrackingWithContext
public virtual IQueryable<TEntity> GetAllNoTrackingWithContext(out DbContext context) { context = _dbContext; return GetAllNoTracking(context); }
Combines the advantages of "no tracking" queries with the ability to extract the active context.
Using WithContext
methods allows developers to efficiently reuse the same context across multiple repository calls, simplifying complex operations.
var data = new EntityARepository().GetAllWithContext(out var sharedContext)
.Where(a => a.IsActive)
.Join(new EntityBRepository().GetAll(sharedContext),
a => a.ForeignKeyId,
b => b.Id,
(a, b) => new { EntityA = a, EntityB = b })
.ToList();
In this example:
- The
sharedContext
is extracted once usingGetAllWithContext
. - It is then reused across multiple repositories to ensure a single database connection is used.
using (var sharedContext = new MyDbContext())
{
// Query all eligible entities
var query = new MyRepository().GetAllNoTracking(sharedContext)
.Join(new AnotherRepository().GetAllNoTracking(sharedContext),
x => x.ForeignKeyId,
y => y.Id,
(x, y) => new { EntityX = x, EntityY = y })
.Where(joined => joined.EntityX.IsActive && joined.EntityY.CreatedDate > DateTime.UtcNow.AddMonths(-1))
.Select(joined => new
{
EntityXName = joined.EntityX.Name,
EntityYDescription = joined.EntityY.Description
});
foreach (var result in query)
{
Console.WriteLine($"EntityX: {result.EntityXName}, EntityY: {result.EntityYDescription}");
}
}
In this example:
- The same
sharedContext
is passed to both repositories, ensuring a single connection to the database. - The
Join
operation leverages LINQ to seamlessly combine data from multiple entities, optimized for SQL generation.
Lazy loading traditionally depends on an active Entity Framework context, which is not available after a query is executed. The LazyLoad
helper enables post-context lazy loading, allowing you to load related data even after the context has been disposed.
var entity = new EntityRepository().GetById(1);
var relatedData = entity.LazyLoad(x => x.RelatedEntity);
In this example:
LazyLoad
dynamically fetches theRelatedEntity
ofentity
without requiring an active context.- This feature is ideal for scenarios where additional data is needed after the primary query execution.
-
Pre-loading Collections For collections, it's recommended to pre-load related data using
Include
to minimize performance overhead:var entities = new EntityRepository().GetAll().Include(x => x.RelatedEntities).ToList();
-
Avoid Overusing LazyLoad Use
LazyLoad
sparingly for single-entity relationships. For collections, pre-loading is preferable to avoid multiple database calls.
The share protocol has gone through a genuine evolution. Something that wasn't fully expected, but has transformed the protocol in such a way that I do believe it'll have significantly more power and capabilities than the scaffolding project ever expected or foresaw. The share protocol was meant to be an addition, a nice pairing. It has turned into a full fledge protocol that has completely transformed the way I code, develop, and think. I'm excited to share, but major reform is coming. It's very likely that this protocol will become the primary mark and goal of this entire project moving forward.
The Magic EF Share Scaffold Protocol is an advanced, automated scaffolding system designed to generate a reusable Shared Library alongside your primary database scaffolded class library. It creates read-only interfaces, DTO models, mapping profiles, and extension files that simplify working with database entities across multiple projects.
This protocol is particularly powerful when used with Blazor, where strict typing and reusable DTO models are highly beneficial. However, it is still a valuable tool in any .NET environment that requires reusable, structured, and automatically maintained entity models.
- Auto-generates Read-Only Models & Interfaces
- Creates DTO Models with Mapping Profiles
- Supports Shared Extensions & Metadata
- Works alongside Magic EF Scaffolding
- Minimal Maintenance, Highly Extensible
- Blazor-Friendly & Reusable in APIs or Frontend Apps
- Automatically Updates When Database Schema Changes
Unlike the main Magic EF Scaffolding Protocol, which has been refined over years of development, the Share Scaffold Protocol is still evolving. While actively used in production by the creator, protocol changes could require refactoring in your codebase.
- π’ The Share Scaffold Protocol is expected to exit experimental status in 2025
- π‘ The Migration Runner remains experimental for now
- π΄ Future protocol changes may require refactoring
Developers using this feature should carefully review scaffolded changes before integrating them into their projects.
Before running the Share Scaffold Protocol, you must first set up a new Shared Library in your solution. Then I suggest you also make your original database scaffolded project reference your new shared project, but not vice versa!
- This should be a C# Class Library Project with the same .NET version as your database scaffolded class library.
- This project should not contain additional dependencies aside from those added by the scaffolding process.
- Naming suggestion:
- If your database project is called
PrimaryDb
, name your shared libraryPrimaryDb.Share
.
- If your database project is called
Example:
Solution/
βββ PrimaryDb/ # Your database scaffolded class library
β βββ PrimaryDb.csproj
βββ PrimaryDb.Share/ # Your shared library project
β βββ PrimaryDb.Share.csproj
In the database scaffolded class library, install AutoMapper:
dotnet add package AutoMapper
If using NetTopologySuite in your database library, install it in the Shared Library as well:
dotnet add package Microsoft.EntityFrameworkCore.SqlServer.NetTopologySuite
The recommended approach is to use the provided PowerShell script:
π Scaffold_Script_Example.ps1
(located in the Magic EF repository)
-
Open the script and locate:
# Define Share namespace (default set to ":" to indicate disabled state) $shareNamespace = ":"
-
Change
:
to your Shared Library Name (e.g.,"PrimaryDb.Share"
).Example:
$shareNamespace = "PrimaryDb.Share"
-
Running the script now automatically executes:
MagicEF --initialShareSetupHandler --shareProjectFilePath "$shareProjectFilePath" --dbProjectFilePath ".\$projectFileName" MagicEF --shareScaffoldProtocolHandler --shareNamespace "$shareNamespace" --other-required-flags
-
DO NOT add the Share Scaffold Protocol to your CI/CD pipelines.
- This should only be manually run during development.
- Always review generated files before committing.
If your database models include Geometry types:
- Add
using NetTopologySuite.Geometries;
to:- ReadOnly Models (
{ModelName}ReadOnly.cs
) - ReadOnly Interfaces (
I{ModelName}ReadOnly.cs
)
- ReadOnly Models (
- These
using
statements are preserved on future scaffolds.
After running the Share Scaffold Protocol, the following folders and files are created automatically:
- DO NOT modify ReadOnly Models manually.
- Use ViewDTO Models for customization.
PrimaryDb.Share/
βββ ReadOnlyInterfaces/
β βββ I{ModelName}ReadOnly.cs
βββ ReadOnlyModels/
β βββ {ModelName}ReadOnly.cs
- These are safe to modify.
- You should work only within these classes.
PrimaryDb.Share/
βββ ViewDtoModels/
β βββ {ModelName}ViewDTO.cs
Example:
[MetadataType(typeof(GeoLocationMetadata))]
public partial class GeoLocationViewDTO : GeoLocationReadOnly, IGeoLocation
{
// make modifications here or write explicit ignore code
[EditorBrowsable(EditorBrowsableState.Never)]
[JsonIgnore]
Geometry IGeoLocationReadOnly.Location { get => ExplicitlyIgnore.Get<Geometry>(); set => ExplicitlyIgnore.Set(value); }
}
if you want my personal ExplicitlyIgnore code I created for my personal use, you can just steal it here:
public static class ExplicitlyIgnore
{
#pragma warning disable CS8603 // Suppresses "Possible null reference return"
/// <summary>
/// Returns the default value for a property meant to be ignored.
/// </summary>
public static T Get<T>() => default;
#pragma warning restore CS8603 // Re-enables the warning after this point
/// <summary>
/// Logs a debug message when attempting to set an ignored property.
/// </summary>
public static void Set<T>(T _)
{
#if DEBUG
try
{
string className = typeof(T).Name;
Console.WriteLine($"DTO disabled serializing: {className}");
}
catch
{
Console.WriteLine($"DTO disabled serializing");
}
#endif
}
}
Metadata and extensions allow shared logic across models.
PrimaryDb.Share/
βββ SharedMetaData/
β βββ {ModelName}SharedMetadata.cs
βββ SharedExtensions/
β βββ {ModelName}SharedExtensions.cs
Example:
public static class GeoLocationSharedExtension
{
public static string GetFormattedLocation(this IGeoLocationReadOnly location)
{
return location?.Location?.ToString() ?? "N/A";
}
}
The Magic EF Share Scaffold Protocol generates AutoMapper Profiles inside the database scaffolded class library.
PrimaryDb/
βββ MappingProfiles/
β βββ {ModelName}ToDtoProfile.cs
β βββ DtoTo{ModelName}Profile.cs
Example:
public class GeoLocationToDtoProfile : Profile
{
public GeoLocationToDtoProfile()
{
// Use interface-first mapping by default for IGeoLocationReadOnly
CreateMap<GeoLocation, GeoLocationViewDTO>()
.IncludeAllDerived(); // Automates mapping for shared interface properties
// Specific mapping for custom logic can be added here:
//CreateMap<GeoLocation, GeoLocationViewDTO>()
// .IncludeBase<GeoLocation, GeoLocationViewDTO>()
// .ForMember(dest => dest.YourField, opt => opt.MapFrom(src => "Custom Value"));
}
}
public class DtoToGeoLocationProfile : Profile
{
public DtoToGeoLocationProfile()
{
CreateMap<GeoLocationViewDTO, GeoLocation>()
.IncludeAllDerived(); // Automates mapping for shared interface properties
// Specific mapping for DTO -> model logic can be added here:
//CreateMap<GeoLocationViewDTO, GeoLocation>()
// .IncludeBase<GeoLocationViewDTO, GeoLocation>()
// .ForMember(dest => dest.YourField, opt => opt.MapFrom(src => "Something"));
}
}
To disable the Share Scaffold Protocol, revert:
$shareNamespace = ":"
Or remove just the following if you don't want to have the shared extension interface and/or metadata share:
MagicEF --shareScaffoldProtocolHandler --dbMetadataPath --dbExtensionsPath
The Magic EF Share Scaffold Protocol provides:
β
Automated Read-Only Models & Interfaces
β
Safe ViewDTO Models with Extension & Metadata Handling
β
Seamless AutoMapper Integration
β
Enforced Compilation Errors for Type Mismatches
β
Improved Maintainability & Reusability
With these structured automation tools, best practices become effortless. π
Magic EF Scaffolding revolutionizes database-first workflows by automating tedious tasks, enabling effortless integration of database changes into your C# code. Whether youβre running locally or in a pipeline, this tool makes database-first EF development simple, efficient, and scalable. Say goodbye to manual adjustments and embrace the future of database-first workflows!
I made this project quite some time ago, but wanted to rebuild it into a significantly more production worthy state. And this need was extreme for me when I needed proper environmental pipeline scaffolding. The OnModelCreating that's generated when scaffolding isn't technically required, but it is so helpful for performance! The ability to generate it in a pipeline process so that it meets any environment was critical for me. And I hope you see how crticial it can become for you. I cannot code without this setup anymore. This has become my new standard, protocal, and my desire for working with literally any database.
I will never use code first again personally. Who knows though, did I convince you too?!
Here's your comprehensive documentation for the Magic EF Share Scaffold Protocol, formatted professionally for clarity and usability. This will serve as an addition to your existing Magic EF documentation.