Creating a Single Resource

Learning Goals

  • Diagram the Request/Response cycle for a form submission
  • Use a form to create single resources
  • Create tests for our new page and form

We will be continuing to build our MVC Movies application. Take a minute to make sure you have that project open and check out the branch your instructor will share in slack.

Intro

Forms are everywhere!

Examples of Forms

Think about your most-used websites or apps… What examples of types/implementations of forms can you find?

Diagramming the Request/Response Cycle

Demo

Let’s start by taking a look at the fully built version of the form we will build today. During this demo write down your answers to the following questions. After the demo, you will join a breakout room and draw a diagram of what’s happening.

  1. What route(s) are we navigating to in the browser? (keep a close eye on the URL in Chrome to see this)
  2. Can you find a request being sent from something that is not the browser?
  3. What type of requests do you think are being sent? (GET/PUT/POST/DELETE)

Take 10 minutes with your group to try and draw the requests and responses you saw in the demo. Here is an Excalidraw template to build off of.

Accessing a Form

Building our /Movies/New Page

What steps do we need to take so that when I navigate to /Movies/New I see the form?

  1. Create a new route in the controller for /Movies/New
  2. Create the view

Creating the Route

Open your MoviesController.cs file. On your own, try to create a GET route for the path /Movies/New

Solution

// GET: /Movies/New
public IActionResult New()
{
    return View();
}

If you run your application now, you will get an error. This is because we haven’t created the View yet. On your own, try to create a View for this route. For now, make your view include an h1 that says “Add a Movie”.

Solution

The file should be Views -> Movies -> New.cshtml`.

New.cshtml should include 

<h1>Add a Movie</h1>

Building the Form

In the Slack thread, share the form you created as part of the preparation for this lesson.

What’s similar between all of the forms? What’s different between the forms?

In the second Slack thread, share what you learned about accessibility best practices for forms.

Let’s work together to build the form for creating a new movie.

Create Movie Form

One Solution

<h1>Add a Movie</h1>

<form method="post" action="/movies">
    <div class="form-group">
        <label for="Title">Title:</label>
        <input type="text" id="Title" name="Title"/>
    </div>
    <div class="form-group">
        <label for="Genre">Genre:</label>
        <input type="text" id="Genre" name="Genre" />
    </div>
    <button type="submit">Create Movie</button>
</form>

Take a close look at how we have added the method and action attributes to our form element.

The method="post" attribute specifies that the form data should be submitted using the HTTP POST method. When a user submits the form, the data entered in the form fields will be sent to the server in the request body.

The action="/movies" attribute specifies the route where the form data will be submitted. In this case, it specifies that the form data should be submitted to the /movies route.

Submitting a Form

Our First POST Route

Our form is now sending a POST request to the /movies endpoint and it is sending the movie data from the form as the request body.

We can see this by opening up the dev tools in our browser and looking at the request.

Create Movie Request

❓Does this route already exist - why or why not?

Let’s build the route to handle this request! In our MoviesController.cs file, let’s add the following:

// POST: /Movies
[HttpPost]
public IActionResult Index(Movie movie)
{
    //Take the movie sent in the request and save it to the database
    _context.Movies.Add(movie);
    _context.SaveChanges();

    // The id generated by the database is now on the object we added to the context
    var newMovieId = movie.Id;

    // Redirect to our route /movies/show and pass in the newMovieId for the id parameter
    return RedirectToAction("show", new { id = newMovieId });
}

We’re using the RedirectToAction method to direct the user to the show page for the movie they just created.

Testing a From

With your partner: Brainstorm what tests we should write for the code we wrote today.

Testing /movies/new

On your own: Write a test to make sure that when a user visits /movies/new they are directed to the create a movie form.

One Solution

[Fact]
public async Task New_ReturnsFormView()
{
    // Arrange
    var client = _factory.CreateClient();

    // Act
    var response = await client.GetAsync("/movies/new");
    var html = await response.Content.ReadAsStringAsync();

    // Assert
    response.EnsureSuccessStatusCode();
    Assert.Contains("Add a Movie", html);
    Assert.Contains("<form method=\"post\" action=\"/movies\">", html);
}

Testing Create Movie Form

[Fact]
public async Task AddMovie_ReturnsRedirectToShow()
{
    // Arrange
    var formData = new Dictionary<string, string>
    {
        { "Title", "Back to the Future" },
        { "Genre", "Science Fiction" }
    };
    
    var client = _factory.CreateClient();

    // Act
    var response = await client.PostAsync("/movies", new FormUrlEncodedContent(formData));
    var html = await response.Content.ReadAsStringAsync();

    // Assert

    // Assert that we are redirected to a details page for the movie just created
    Assert.Equal(HttpStatusCode.OK, response.StatusCode);
    Assert.Contains("Movie Details", html);
    Assert.Contains("Title: Back to the Future", html);
    Assert.Contains("Genre: Science Fiction", html);

    // Assert that the movie was added to the database. This test isn't mandatory, but testing against what's in the database is a useful testing tool to add to your toolbox.
    var context = GetDbContext();
    var savedMovie = await context.Movies.FirstOrDefaultAsync(
        m => m.Title == "Back to the Future"
    );
    Assert.NotNull(savedMovie);
    Assert.Equal("Science Fiction", savedMovie.Genre);
}

The Order of Our Tests

We need to address one aspect of testing - the order and timing of each of our tests. By default, xUnit will run our tests randomly, and as quickly as possible (some tests even run at the same time!). Generally, this is a good thing - we want our tests to be individually robust, and not rely on any other test to run successfully. In this case, though, we need to control our test runs a bit more.

If left to their default settings, we could have two tests running at the same time (concurrently) that would put conflicting data into our test database. xUnit provides a simple way to group tests that need to be run strictly one at a time. We will use an attribute to group all of our Controller tests into one collection:

// MoviesControllerTests.cs
namespace MvcMovie.FeatureTests
{
    [Collection("Movies Controller Tests")]
    public class MovieControllerTests : IClassFixture<WebApplicationFactory<Program>>
    {
        ...

Any test class in this collection will be run one at a time, reducing the chance for a database conflict.

Checks for Understanding

  1. In your own words, what happens when a user clicks submit on a form?
  2. Imagine that you have created an HTML form for creating employees, but currently, when you click the submit button nothing happens. What code would you add and where to make it so that on submit your form sends a POST request to the /employees endpoint?
  3. What error do you think we would get if we didn’t include the following lines in the POST /movies route in our controller?

     _context.Movies.Add(movie);
     _context.SaveChanges();
    

Additional Resources

Lesson Search Results

Showing top 10 results