Entity Framework (EF) is a powerful Object-Relational Mapper (ORM) for .NET that allows developers to interact with databases using C# objects. Instead of writing complex SQL queries, EF simplifies database operations, making it easier to perform CRUD (Create, Read, Update, Delete) operations. In this article, we’ll explore three practical examples of C# working with databases using Entity Framework.
In a typical application, you might need to add new records to a database, such as adding a new user to a user table. This example demonstrates how to create a new user entry.
using (var context = new MyDbContext())
{
var newUser = new User
{
FirstName = "John",
LastName = "Doe",
Email = "john.doe@example.com"
};
context.Users.Add(newUser);
context.SaveChanges(); // Saves the changes to the database
}
User
class defined in your model that corresponds to the database table.MyDbContext
class should inherit from DbContext
and have a DbSet<User>
property.SaveChanges()
to persist the changes to the database.Retrieving data is a common requirement in applications. This example shows how to fetch a list of users from the database and display their names.
using (var context = new MyDbContext())
{
var users = context.Users.ToList(); // Retrieves all users
foreach (var user in users)
{
Console.WriteLine($"{user.FirstName} {user.LastName}"); // Displaying user names
}
}
ToList()
method executes the query and retrieves the results as a list.When user details change, you need to update the existing records. This example illustrates how to update a user’s email address in the database.
using (var context = new MyDbContext())
{
var user = context.Users.FirstOrDefault(u => u.Id == 1); // Find user by ID
if (user != null)
{
user.Email = "john.new@example.com"; // Update email
context.SaveChanges(); // Persist changes
}
}
FirstOrDefault
method retrieves the first user if found, or returns null
.These examples of C# working with databases using Entity Framework showcase how straightforward it can be to manage data in your applications. Whether you are inserting, querying, or updating data, EF provides a robust framework that abstracts much of the complexity, allowing you to focus on building great applications.