"
 
 
 
ASP.NET (snapshot 2017) Microsoft documentation and samples

Async and Stored Procedures with the Entity Framework in an ASP.NET MVC Application

by Tom Dykstra

Download Completed Project or Download PDF

The Contoso University sample web application demonstrates how to create ASP.NET MVC 5 applications using the Entity Framework 6 Code First and Visual Studio 2013. For information about the tutorial series, see the first tutorial in the series.

In earlier tutorials you learned how to read and update data using the synchronous programming model. In this tutorial you see how to implement the asynchronous programming model. Asynchronous code can help an application perform better because it makes better use of server resources.

In this tutorial you’ll also see how to use stored procedures for insert, update, and delete operations on an entity.

Finally, you’ll redeploy the application to Azure, along with all of the database changes that you’ve implemented since the first time you deployed.

The following illustrations show some of the pages that you’ll work with.

Departments page
Departments page
Create Department
Create Department

Why bother with asynchronous code

A web server has a limited number of threads available, and in high load situations all of the available threads might be in use. When that happens, the server can’t process new requests until the threads are freed up. With synchronous code, many threads may be tied up while they aren’t actually doing any work because they’re waiting for I/O to complete. With asynchronous code, when a process is waiting for I/O to complete, its thread is freed up for the server to use for processing other requests. As a result, asynchronous code enables server resources to be use more efficiently, and the server is enabled to handle more traffic without delays.

In earlier versions of .NET, writing and testing asynchronous code was complex, error prone, and hard to debug. In .NET 4.5, writing, testing, and debugging asynchronous code is so much easier that you should generally write asynchronous code unless you have a reason not to. Asynchronous code does introduce a small amount of overhead, but for low traffic situations the performance hit is negligible, while for high traffic situations, the potential performance improvement is substantial.

For more information about asynchronous programming, see Use .NET 4.5’s async support to avoid blocking calls.

Create the Department controller

Create a Department controller the same way you did the earlier controllers, except this time select the Use async controller actions check box.

Department controller scaffold
Department controller scaffold

The following highlights show what was added to the synchronous code for the Index method to make it asynchronous:

[!code-csharpMain]

   1:  public async Task<ActionResult> Index()
   2:  {
   3:      var departments = db.Departments.Include(d => d.Administrator);
   4:      return View(await departments.ToListAsync());
   5:  }

Four changes were applied to enable the Entity Framework database query to execute asynchronously:

Why is the departments.ToList statement modified but not the departments = db.Departments statement? The reason is that only statements that cause queries or commands to be sent to the database are executed asynchronously. The departments = db.Departments statement sets up a query but the query is not executed until the ToList method is called. Therefore, only the ToList method is executed asynchronously.

In the Details method and the HttpGet Edit and Delete methods, the Find method is the one that causes a query to be sent to the database, so that’s the method that gets executed asynchronously:

[!code-csharpMain]

   1:  public async Task<ActionResult> Details(int? id)
   2:  {
   3:      if (id == null)
   4:      {
   5:          return new HttpStatusCodeResult(HttpStatusCode.BadRequest);
   6:      }
   7:      Department department = await db.Departments.FindAsync(id);
   8:      if (department == null)
   9:      {
  10:          return HttpNotFound();
  11:      }
  12:      return View(department);
  13:  }

In the Create, HttpPost Edit, and DeleteConfirmed methods, it is the SaveChanges method call that causes a command to be executed, not statements such as db.Departments.Add(department) which only cause entities in memory to be modified.

[!code-csharpMain]

   1:  public async Task<ActionResult> Create(Department department)
   2:  {
   3:      if (ModelState.IsValid)
   4:      {
   5:          db.Departments.Add(department);
   6:      await db.SaveChangesAsync();
   7:          return RedirectToAction("Index");
   8:      }

Open Views.cshtml, and replace the template code with the following code:

[!code-cshtmlMain]

   1:  @model IEnumerable<ContosoUniversity.Models.Department>
   2:  @{
   3:      ViewBag.Title = "Departments";
   4:  }
   5:  <h2>Departments</h2>
   6:  <p>
   7:      @Html.ActionLink("Create New", "Create")
   8:  </p>
   9:  <table class="table">
  10:      <tr>
  11:          <th>
  12:              @Html.DisplayNameFor(model => model.Name)
  13:          </th>
  14:          <th>
  15:              @Html.DisplayNameFor(model => model.Budget)
  16:          </th>
  17:          <th>
  18:              @Html.DisplayNameFor(model => model.StartDate)
  19:          </th>
  20:      <th>
  21:              Administrator
  22:          </th>
  23:          <th></th>
  24:      </tr>
  25:  @foreach (var item in Model) {
  26:      <tr>
  27:          <td>
  28:              @Html.DisplayFor(modelItem => item.Name)
  29:          </td>
  30:          <td>
  31:              @Html.DisplayFor(modelItem => item.Budget)
  32:          </td>
  33:          <td>
  34:              @Html.DisplayFor(modelItem => item.StartDate)
  35:          </td>
  36:      <td>
  37:              @Html.DisplayFor(modelItem => item.Administrator.FullName)
  38:              </td>
  39:          <td>
  40:              @Html.ActionLink("Edit", "Edit", new { id=item.DepartmentID }) |
  41:              @Html.ActionLink("Details", "Details", new { id=item.DepartmentID }) |
  42:              @Html.ActionLink("Delete", "Delete", new { id=item.DepartmentID })
  43:          </td>
  44:      </tr>
  45:  }
  46:  </table>

This code changes the title from Index to Departments, moves the Administrator name to the right, and provides the full name of the administrator.

In the Create, Delete, Details, and Edit views, change the caption for the InstructorID field to “Administrator” the same way you changed the department name field to “Department” in the Course views.

In the Create and Edit views use the following code:

[!code-cshtmlMain]

   1:  <label class="control-label col-md-2" for="InstructorID">Administrator</label>

In the Delete and Details views use the following code:

[!code-cshtmlMain]

   1:  <dt>
   2:      Administrator
   3:  </dt>

Run the application, and click the Departments tab.

Departments page
Departments page

Everything works the same as in the other controllers, but in this controller all of the SQL queries are executing asynchronously.

Some things to be aware of when you are using asynchronous programming with the Entity Framework:

Use stored procedures for inserting, updating, and deleting

Some developers and DBAs prefer to use stored procedures for database access. In earlier versions of Entity Framework you can retrieve data using a stored procedure by executing a raw SQL query, but you can’t instruct EF to use stored procedures for update operations. In EF 6 it’s easy to configure Code First to use stored procedures.

  1. In DAL.cs, add the highlighted code to the OnModelCreating method.

    [!code-csharpMain]

       1:  protected override void OnModelCreating(DbModelBuilder modelBuilder)
       2:  {
       3:      modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
       4:      modelBuilder.Entity<Course>()
       5:          .HasMany(c => c.Instructors).WithMany(i => i.Courses)
       6:          .Map(t => t.MapLeftKey("CourseID")
       7:              .MapRightKey("InstructorID")
       8:              .ToTable("CourseInstructor"));
       9:      modelBuilder.Entity<Department>().MapToStoredProcedures();
      10:  }

    This code instructs Entity Framework to use stored procedures for insert, update, and delete operations on the Department entity.
  2. In Package Manage Console, enter the following command:

    add-migration DepartmentSP

    Open Migrations&lt;timestamp>_DepartmentSP.cs to see the code in the Up method that creates Insert, Update, and Delete stored procedures:

    [!code-csharpMain]
       1:  public override void Up()
       2:  {
       3:      CreateStoredProcedure(
       4:          "dbo.Department_Insert",
       5:          p => new
       6:              {
       7:                  Name = p.String(maxLength: 50),
       8:                  Budget = p.Decimal(precision: 19, scale: 4, storeType: "money"),
       9:                  StartDate = p.DateTime(),
      10:                  InstructorID = p.Int(),
      11:              },
      12:          body:
      13:              @"INSERT [dbo].[Department]([Name], [Budget], [StartDate], [InstructorID])
      14:                VALUES (@Name, @Budget, @StartDate, @InstructorID)
      15:                
      16:                DECLARE @DepartmentID int
      17:                SELECT @DepartmentID = [DepartmentID]
      18:                FROM [dbo].[Department]
      19:                WHERE @@ROWCOUNT > 0 AND [DepartmentID] = scope_identity()
      20:                
      21:                SELECT t0.[DepartmentID]
      22:                FROM [dbo].[Department] AS t0
      23:                WHERE @@ROWCOUNT > 0 AND t0.[DepartmentID] = @DepartmentID"
      24:      );
      25:      
      26:      CreateStoredProcedure(
      27:          "dbo.Department_Update",
      28:          p => new
      29:              {
      30:                  DepartmentID = p.Int(),
      31:                  Name = p.String(maxLength: 50),
      32:                  Budget = p.Decimal(precision: 19, scale: 4, storeType: "money"),
      33:                  StartDate = p.DateTime(),
      34:                  InstructorID = p.Int(),
      35:              },
      36:          body:
      37:              @"UPDATE [dbo].[Department]
      38:                SET [Name] = @Name, [Budget] = @Budget, [StartDate] = @StartDate, [InstructorID] = @InstructorID
      39:                WHERE ([DepartmentID] = @DepartmentID)"
      40:      );
      41:      
      42:      CreateStoredProcedure(
      43:          "dbo.Department_Delete",
      44:          p => new
      45:              {
      46:                  DepartmentID = p.Int(),
      47:              },
      48:          body:
      49:              @"DELETE [dbo].[Department]
      50:                WHERE ([DepartmentID] = @DepartmentID)"
      51:      );    
      52:  }

Code First creates default stored procedure names. If you are using an existing database, you might need to customize the stored procedure names in order to use stored procedures already defined in the database. For information about how to do that, see Entity Framework Code First Insert/Update/Delete Stored Procedures.

If you want to customize what generated stored procedures do, you can edit the scaffolded code for the migrations Up method that creates the stored procedure. That way your changes are reflected whenever that migration is run and will be applied to your production database when migrations runs automatically in production after deployment.

If you want to change an existing stored procedure that was created in a previous migration, you can use the Add-Migration command to generate a blank migration, and then manually write code that calls the AlterStoredProcedure method.

Deploy to Azure

This section requires you to have completed the optional Deploying the app to Azure section in the Migrations and Deployment tutorial of this series. If you had migrations errors that you resolved by deleting the database in your local project, skip this section.

  1. In Visual Studio, right-click the project in Solution Explorer and select Publish from the context menu.
  2. Click Publish.

    Visual Studio deploys the application to Azure, and the application opens in your default browser, running in Azure.
  3. Test the application to verify it’s working.

    The first time you run a page that accesses the database, the Entity Framework runs all of the migrations Up methods required to bring the database up to date with the current data model. You can now use all of the web pages that you added since the last time you deployed, including the Department pages that you added in this tutorial.

Summary

In this tutorial you saw how to improve server efficiency by writing code that executes asynchronously, and how to use stored procedures for insert, update, and delete operations. In the next tutorial, you’ll see how to prevent data loss when multiple users try to edit the same record at the same time.

Links to other Entity Framework resources can be found in the ASP.NET Data Access - Recommended Resources.

Previous Next





Comments ( )
<00>  <01>  <02>  <03>  <04>  <05>  <06>  <07>  <08>  <09>  <10>  <11>  <12>  <13>  <14>  <15>  <16>  <17>  <18>  <19>  <20>  <21>  <22>  <23
Link to this page: //www.vb-net.com/AspNet-DocAndSamples-2017/aspnet/mvc/overview/getting-started/getting-started-with-ef-using-mvc/async-and-stored-procedures-with-the-entity-framework-in-an-asp-net-mvc-application.htm
<SITEMAP>  <MVC>  <ASP>  <NET>  <DATA>  <KIOSK>  <FLEX>  <SQL>  <NOTES>  <LINUX>  <MONO>  <FREEWARE>  <DOCS>  <ENG>  <CHAT ME>  <ABOUT ME>  < THANKS ME>