In This Topic
Entity Framework Core Database-First Tutorial for .NET Core
In This Topic
Entity Framework Core supports Database-First approach via the Scaffold-DbContext command of Package Manager Console. This command scaffolds a DbContext and entity type classes for a specified database.
This tutorial shows how to create a simple console application, powered by Entity Framework Core and using Database-First approach. In less than 10 minutes you will have aready-to-use data access layer for your business objects.
This tutorial is for .NET Core. For Full .NET Framework see Entity Framework Core Database-First Tutorial for Full .NET Framework.
Requirements
This tutorial requires the following:
- Visual Studio 2017 or higher (for Entity Framework Core 3.1 - Visual Studio 2019)
- If you want to use Entity Framework Core 2.2 - .NET Core SDK 2.2. For Entity Framework Core 3.1 - .NET Core SDK 3.0
- Latest version of NuGet Package Manager
- Latest version of Windows PowerShell
We will use the tables, we have created in the Creating Database Objects and Inserting Data Into Tables tutorials. In this tutorial it is assumed that you already have the database objects created. If you haven't created them yet, please do it before starting this tutorial.
Creating New Project
- Open Visual Studio
- On the File menu point to New and then click Project. The New Project dialog box will open.
- On the left side of the dialog box select Installed -> Visual C# -> .NET Core.
- On the right side of the dialog box select Console App.
- Enter the project name and location if necessary.
- Click OK. A new project will be created.
Installing NuGet Packages
After we created a new project, we need to add the necessary NuGet packages to it.
Now let's install the necessary packages:
- On the Tools menu point to NuGet Package Manager and then click Package Manager Console.
- For Entity Framework Core 5, run the following command in the Package Manager Console:
Install-Package Microsoft.EntityFrameworkCore.Tools - For Entity Framework Core 3.1, run the following command in the Package Manager Console:
Install-Package Microsoft.EntityFrameworkCore.Tools -Version 3.1.10For Entity Framework Core 2.2, run the following command in the Package Manager Console:
Install-Package Microsoft.EntityFrameworkCore.Tools -Version 2.2.6For Entity Framework Core 1.1, the command will be the following:
Install-Package Microsoft.EntityFrameworkCore.Tools -Version 1.1.5 - For Entity Framework Core 3.1 or 5.0 run the following command in the Package Manager Console:
Install-Package Devart.Data.PostgreSql.EFCoreFor Entity Framework Core 1.1, the command will be the following:
Install-Package Devart.Data.PostgreSql.EFCore.Design
Note that the dotConnect for PostgreSQL assembly for Entity Framework Core 2.2 is not available via NuGet packages anymore. It is installed by the dotConnect for PostgreSQL installer to the \Entity\EFCore2\netstandard2.0\ subfolder of the dotConnect for PostgreSQL installation folder.
Creating a Model From the Database
For Entity Framework Core, creating a model from the database is as easy as entering the Scaffold-DbContext command with a connection string and a provider as parameters. For example, you can run the following command in the Package Manager Console:
Scaffold-DbContext "host=server;database=test;user id=postgres;" Devart.Data.PostgreSql.Entity.EFCore
If you have other tables in your database, you may use additional parameters - -Schemas and -Tables - to filter the list of schemas and/or tables that are added to the model. For example, you can use the following command:
Scaffold-DbContext "host=server;database=test;user id=postgres;" Devart.Data.PostgreSql.Entity.EFCore -Tables dept,emp
As the result, a context class and entity classes are generated, based on the Dept and Emp tables.
- C#
using System;using System.Collections.Generic;namespace ConsoleApplication1{ public partial class Dept { public Dept() { Emp = new HashSet<Emp>(); } public int Deptno { get; set; } public string Dname { get; set; } public string Loc { get; set; } public virtual ICollection<Emp> Emp { get; set; } }}
- C#
using System;using System.Collections.Generic;namespace ConsoleApplication1{ public partial class Emp { public int Empno { get; set; } public string Ename { get; set; } public string Job { get; set; } public int Mgr { get; set; } public DateTime Hiredate { get; set; } public double Sal { get; set; } public double Comm { get; set; } public int Deptno { get; set; } public virtual Dept DeptnoNavigation { get; set; } }}
Entity classes are just simple classes, representing the data, stored in the database. The context represents a session with the database and allows you to query and save instances of the entity classes.
- C#
using System;using Microsoft.EntityFrameworkCore;using Microsoft.EntityFrameworkCore.Metadata;namespace ConsoleApplication1{ public partial class ModelContext : DbContext { public virtual DbSetDept { get; set; } public virtual DbSet Emp { get; set; } protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder) { #warning To protect potentially sensitive information in your connection string, you should move it out of source code. See http://go.microsoft.com/fwlink/?LinkId=723263 for guidance on storing connection strings. optionsBuilder.UsePostgreSql(@"host=server;database=test;user id=postgres;"); } protected override void OnModelCreating(ModelBuilder modelBuilder) { modelBuilder.Entity<Dept>(entity => { entity.HasKey(e => e.Deptno) .HasName(""); entity.ToTable("DEPT", "public"); entity.Property(e => e.Deptno).HasColumnName("DEPTNO"); entity.Property(e => e.Dname) .HasColumnName("DNAME") .HasColumnType("varchar") .HasMaxLength(14); entity.Property(e => e.Loc) .HasColumnName("LOC") .HasColumnType("varchar") .HasMaxLength(13); }); modelBuilder.Entity<Emp>(entity => { entity.HasKey(e => e.Empno) .HasName(""); entity.ToTable("EMP", "public"); entity.Property(e => e.Empno).HasColumnName("EMPNO"); entity.Property(e => e.Comm) .HasColumnName("COMM") .HasColumnType("double"); entity.Property(e => e.Deptno).HasColumnName("DEPTNO"); entity.Property(e => e.Ename) .HasColumnName("ENAME") .HasColumnType("varchar") .HasMaxLength(10); entity.Property(e => e.Hiredate) .HasColumnName("HIREDATE") .HasColumnType("date"); entity.Property(e => e.Job) .HasColumnName("JOB") .HasColumnType("varchar") .HasMaxLength(9); entity.Property(e => e.Mgr).HasColumnName("MGR"); entity.Property(e => e.Sal) .HasColumnName("SAL"); entity.HasOne(d => d.DeptnoNavigation) .WithMany(p => p.Emp) .HasForeignKey(d => d.Deptno) .HasConstraintName("emp_deptno_fkey"); }); } }}
Here we may comment or delete the warning about the connection string. After this we can start using our model to retrieve and modify data.
Using Model
Open your Program.cs file and paste the following code instead of the Main function:
- C#
static void Main(string[] args) { using (var db = new ModelContext()) { // Creating a new department and saving it to the database var newDept = new Dept(); newDept.Deptno = 60; newDept.Dname = "Development"; newDept.Loc = "Houston"; db.Dept.Add(newDept); var count=db.SaveChanges(); Console.WriteLine("{0} records saved to database", count); // Retrieving and displaying data Console.WriteLine(); Console.WriteLine("All departments in the database:"); foreach (var dept in db.Dept) { Console.WriteLine("{0} | {1}", dept.Dname, dept.Loc); } } }
After this, on the Debug menu, click Run without debugging.
See Also
© 2003 - 2023 Devart. All Rights Reserved.
FAQs
How to use database first approach in Entity Framework Core? ›
- Step 1: Create an ASP.NET Core MVC application.
- Step 2: Reverse engineer Entity model from database (database first approach for entity)
- Step 3: Scaffold Controller with View using Entity Framework.
- Step 4: Run and Test app.
In the code first approach, the programmer has to write the classes with the required properties first, while in the database first approach, the programmer has to create first the database using GUI.
How to use Entity Framework Core in .NET Core? ›- Step 1: Create an ASP.NET MVC application.
- Step 2: Add a Model.
- Step 3: Set up DbContext.
- Step 4: Set up Data Connection.
- Step 4.5: Migrate and Update database (this step is not necessary for . Net Framework MVC)
- Step 5: Create Controller to access data from entity framework.
- Step 6: Run the App and Test.
Versioning databases is hard, but with code first and code first migrations, it's much more effective. Because your database schema is fully based on your code models, by version controlling your source code you're helping to version your database.
How use raw SQL query in Entity Framework Core? ›The FromSql method allows parameterized queries using string interpolation syntax in C#, as shown below. string name = "Bill"; var context = new SchoolContext(); var students = context. Students . FromSql($"Select * from Students where Name = '{name}'") .
How do you retrieve data from database using Entity Framework first? ›- Create a new Asp.NET Empty Web Site. Click on File, WebSite, then ASP.NET Empty Web Site.
- Install EntityFramework through NuGet.
- Table Structure. ...
- Now, add the Entity Data Model,
- Select Generate from database.
- Select connection,
- Select table,
- After that click on Finish button,
- Create Northwind Database. ...
- Create New . ...
- Install Nuget Packages. ...
- Create Models using Scaffold-DbContext. ...
- Configure Data Context. ...
- Registering DBContext with Dependency Injection. ...
- Scaffold-DbContext options. ...
- Update existing models.
Code first approach is used to fast development and developer has full controls on entities. Model First approach : We don't have an existing database and the Entity Framework offers a designer that can create a conceptual data model. It also uses an . edmx file to store the model and mapping information.
How do you create a database from code first in .NET core? ›- Step 1 - Create Windows form project. ...
- Step 2 - Add entity frame work into newly created project using NuGet package. ...
- Step 3 - Create Model into project. ...
- Step 4 - Create Context class into project. ...
- Step 5 - Exposed typed DbSet for each classes of model.
- Create a blank database.
- Create MVC Project.
- Create the Class Library Project.
- Add Entity Framework to the DAL project created in the previous step. ...
- Code First Approach Implementation.
- Reference DAL Project to UI Project. ...
- Enable Migration.
- Add Controller.
How do I use model first approach in Entity Framework? ›
In Model First, you define your model in an Entity Framework designer then generate SQL, which will create database schema to match your model and then you execute the SQL to create the schema in your database. The classes that you interact with in your application are automatically generated from the EDMX file.
Which approach does EF core support to work with the database? ›EF supports the following model development approaches: Generate a model from an existing database. Hand code a model to match the database. Once a model is created, use EF Migrations to create a database from the model.
How to retrieve data from database using Entity Framework Core? ›- Create an App. Create an ASP.NET Core app . ...
- Create the Models. Create a model for your existing SQL Server database. ...
- Create a Context. ...
- Configure database connection. ...
- Add AddDbContext service. ...
- Add-Migration and Update-Database command.