Skip to content

Latest commit

 

History

History
176 lines (151 loc) · 7.98 KB

1. Create BackEnd API project.md

File metadata and controls

176 lines (151 loc) · 7.98 KB

Creating a basic EF model

  1. Create a new project using File / New / ASP.NET Core Web Application. Select the Web API template, No Auth, no Docker support.

    Note: If not using Visual Studio, create the project using dotnet new webapi at the cmd line

  2. Add a new Models folder to the root of the application.

  3. Add a new Speaker class using the following code:

    using System;
    using System.Collections.Generic;
    using System.ComponentModel.DataAnnotations;
    using System.Linq;
    using System.Threading.Tasks;
    
    namespace BackEnd.Models
    {
        public class Speaker
        {
           public int ID { get; set; }
    
           [Required]
           [StringLength(200)]
           public string Name { get; set; }
    
           [StringLength(4000)]
           public string Bio { get; set; }
    
           [StringLength(1000)]
           public virtual string WebSite { get; set; }
        }
    }
  4. Next we'll create a new Entity Framework DbContext. Create a new ApplicationDbContext class in the Models folder using the following code:

    using Microsoft.EntityFrameworkCore;
    using Microsoft.EntityFrameworkCore.Infrastructure;
    using Microsoft.Extensions.DependencyInjection;
    
    namespace BackEnd.Models
    {
        public class ApplicationDbContext : DbContext
        {
            public ApplicationDbContext(DbContextOptions<ApplicationDbContext> options)
                : base(options)
            {
    
            }
    
            public DbSet<Speaker> Speaker { get; set; }
        }
    
        public class ApplicationDbContextFactory : IDesignTimeDbContextFactory<ApplicationDbContext>
        {
            public ApplicationDbContext CreateDbContext(string[] args) =>
                Program.BuildWebHost(args).Services.CreateScope().ServiceProvider.GetRequiredService<ApplicationDbContext>();
        }
    }
  5. Add a connection string to the appSettings.json file for this database:

    {
        "ConnectionStrings": {
            "DefaultConnection": "Server=(localdb)\\mssqllocaldb;Database=aspnet-BackEnd-931E56BD-86CB-4A96-BD99-2C6A6ABB0829;Trusted_Connection=True;MultipleActiveResultSets=true"
        },
        "Logging": {
            "IncludeScopes": false,
            "LogLevel": {
                "Default": "Warning"
            }
        }
    }

Register the DB Context Service

  1. Add the following code to the top of the ConfigureServices() method in Startup.cs:
     services.AddDbContext<ApplicationDbContext>(options =>
     {
         if (RuntimeInformation.IsOSPlatform(OSPlatform.Windows))
         {
             options.UseSqlServer(Configuration.GetConnectionString("DefaultConnection"));
         }
         else
         {
             options.UseSqlite("Data Source=conferences.db");
         }
     });

    This code registers the ApplicationDbContext service so it can be injected into controllers. Additionally, it configures operating system specific database technologies and connection strings.

Configuring EF Migrations

  1. Add the Microsoft.EntityFrameworkCore.Tools.DotNet NuGet package. Edit the project file and add it to the tools reference <ItemGroup>:

    <ItemGroup>
      <DotNetCliToolReference Include="Microsoft.VisualStudio.Web.CodeGeneration.Tools" Version="2.0.0" />
      <DotNetCliToolReference Include="Microsoft.EntityFrameworkCore.Tools.DotNet" Version="2.0.0" />
    </ItemGroup>

    Note: Adding CLI tools via the Visual Studio dialog or cmd line currently doesn't work, since it will add as a library package rather than a tools package.

  2. Open a command prompt and navigate to the project directory. (The directory containing the Startup.cs file).

  3. Run the following commands in the command prompt:

     dotnet restore
     dotnet ef migrations add Initial
     dotnet ef database update

For more information on these commands and scaffolding in general, see this tutorial.

A quick look at the Values Controller

First, open the Controllers controller and take a quick look at the ValuesController. You'll see simple functions that correspond to HTTP verbs. You'll see the output of this controller in a bit, but first we'll build our own API controller for the Speakers model class.

Scaffolding an API Controller

Using Visual Studio

  1. Right-click the Controllers folder and select Add/Controller. You'll be shown a prompt for setting up Scaffolding. Select "Minimal Dependencies".
  2. Again, right-click the Controllers folder and select Add/Controller. Select "API Controller with Actions, Using EF".
  3. In the dialog, select the Speaker model for the Model Class, ApplicationDbContext for the "Data Context Class" and click the Add button.

Using the cmd line

  1. Edit the project file to add a reference to the Microsoft.VisualStudio.Web.CodeGeneration.Design package:
    <ItemGroup>
        <PackageReference Include="Microsoft.AspNetCore.All" Version="2.0.0" />
        <PackageReference Include="Microsoft.VisualStudio.Web.CodeGeneration.Design" Version="2.0.0" />
    </ItemGroup>
  2. Run dotnet restore in the project folder at the cmd line
  3. Run the following in the project folder at the cmd line:
    dotnet aspnet-codegenerator controller -name SpeakersController -namespace BackEnd.Controllers -m BackEnd.Models.Speaker -dc BackEnd.Models.ApplicationDbContext -api -outDir Controllers
    

Testing the API using the Swashbuckle

In this section, we'll be adding documentation to our API using the Swashbuckle NuGet package.

Swashbuckle.AspNetCore is an open source project for generating Swagger documents for Web APIs that are built with ASP.NET Core MVC.

Swagger is a machine readable representation of a RESTful API that enables support for interactive documentation, client SDK generation and discoverability.

Additional information on using Swashbuckle in ASP.NET Core is available in this tutorial: ASP.NET Web API Help Pages using Swagger

  1. Add the Swashbuckle.AspNetCore NuGet package.

    This can be done from the command line using dotnet add package Swashbuckle.AspNetCore

  2. Register Swashbuckle as a service by replacing the line that reads services.AddMvc(); in the the ConfigureServices() method in Startup.cs:
     services.AddMvcCore()
         .AddDataAnnotations()    
         .AddJsonFormatters()
         .AddApiExplorer();
    
     services.AddSwaggerGen(options =>
         options.SwaggerDoc("v1", new Info { Title = "Conference Planner API", Version = "v1" })
     );
  3. Configure Swashbuckle by adding the following lines to top of the Configure() method in Startup.cs:
     app.UseSwagger();
    
     app.UseSwaggerUI(options =>
         options.SwaggerEndpoint("/swagger/v1/swagger.json", "Conference Planner API v1")
     );
  4. Run the application (F5 in Visual Studio or dotnet run from console).
  5. Browse to the Swagger UI at http://localhost:<random_port>/swagger.
  6. First, click on the GET button in Values section. You'll see the values that were listed in the ValuesController earlier.
  7. In the Speakers section, click on the GET button. You'll see there are not speakers returned. Let's add one!
  8. In the Speakers section, click on the POST button. Referencing the example on the right, fill in a speaker request. Leave the ID blank, that will be filled in by the database.
  9. When you click the Try it out! button, you should see a success response from the server. Now, clicking the GET button above should show your newly added speaker.