ASP.NET MVC Music Store Tutorial by Jon Galloway - Microsoft - HTML preview

PLEASE NOTE: This is an HTML preview only and some elements such as links or page numbers may be incorrect.
Download the book in PDF, ePub, Kindle for a complete version.

8. Shopping Cart with Ajax Updates

 

We’ll allow users to place albums in their cart without registering, but they’ll need to register as guests to complete checkout. The shopping and checkout process will be separated into two controllers: a ShoppingCart Controller which allows anonymously adding items to a cart, and a Checkout Controller which handles the checkout process. We’ll start with the Shopping Cart in this section, then build the Checkout process in the following section.

Adding the Cart, Order, and OrderDetail model classes

Our Shopping Cart and Checkout processes will make use of some new classes. Right-click the Models folder and add a Cart class (Cart.cs) with the following code.

using System.ComponentModel.DataAnnotations;

 

namespace MvcMusicStore.Models

{

    public class Cart

    {

        [Key]

        public int      RecordId    { get; set; }

        public string   CartId      { get; set; }

        public int      AlbumId     { get; set; }

        public int      Count       { get; set; }

        public System.DateTime DateCreated { get; set; }

 

        public virtual Album Album  { get; set; }

    }

}

This class is pretty similar to others we’ve used so far, with the exception of the *Key+ attribute for the RecordId property. Our Cart items will have a string identifier named CartID to allow anonymous shopping, but the table includes an integer primary key named RecordId. By convention, Entity Framework Code-First expects that the primary key for a table named Cart will be either CartId or ID, but we can easily override that via annotations or code if we want. This is an example of how we can use the simple conventions in Entity Framework Code-First when they suit us, but we’re not constrained by them when they don’t.

Next, add an Order class (Order.cs) with the following code.

using System.Collections.Generic;

 

namespace MvcMusicStore.Models

{

    public partial class Order

    {

        public int    OrderId    { get; set; }

        public string Username   { get; set; }

        public string FirstName  { get; set; }

        public string LastName   { get; set; }

        public string Address    { get; set; }

        public string City       { get; set; }

public string State      { get; set; }

        public string PostalCode { get; set; }

        public string Country    { get; set; }

        public string Phone      { get; set; }

        public string Email      { get; set; }

        public decimal Total     { get; set; }

        public System.DateTime OrderDate      { get; set; }

 

        public List<OrderDetail> OrderDetails { get; set; }

    }

}

This class tracks summary and delivery information for an order. It won’t compile yet, because it has an OrderDetails navigation property which depends on a class we haven’t created yet. Let’s fix that now by adding a class named OrderDetail.cs, adding the following code.

namespace MvcMusicStore.Models

{

    public class OrderDetail

    {

        public int OrderDetailId { get; set; }

        public int OrderId { get; set; }

        public int AlbumId { get; set; }

        public int Quantity { get; set; }

        public decimal UnitPrice { get; set; }

 

        public virtual Album Album { get; set; }

        public virtual Order Order { get; set; }

    }

}

We’ll make one last update to our MusicStoreEntities class to include DbSets which expose those new Model classes, also including a DbSet<Artist>. The updated MusicStoreEntities class appears as below.

using System;

using System.Collections.Generic;

using System.Linq;

using System.Web;

using System.Web.Mvc;

 

namespace MvcMusicStore.Models

{

    public partial class ShoppingCart

    {

        MusicStoreEntities storeDB = new MusicStoreEntities();

Managing the Shopping Cart business logic

Next, we’ll create the ShoppingCart class in the Models folder. The ShoppingCart model handles data access to the Cart table. Additionally, it will handle the business logic to for adding and removing items from the shopping cart.

Since we don’t want to require users to sign up for an account just to add items to their shopping cart, we will assign users a temporary unique identifier (using a GUID, or globally unique identifier) when they access the shopping cart. We’ll store this ID using the ASP.NET Session class.

Note: The ASP.NET Session is a convenient place to store user-specific information which will expire after they leave the site. While misuse of session state can have performance implications on larger sites, our light use will work well for demonstration purposes.

The ShoppingCart class exposes the following methods:

AddToCart takes an Album as a parameter and adds it to the user’s cart. Since the Cart table tracks quantity for each album, it includes logic to create a new row if needed or just increment the quantity if the user has already ordered one copy of the album.

RemoveFromCart takes an Album ID and removes it from the user’s cart. If the user only had one copy of the album in their cart, the row is removed.

EmptyCart removes all items from a user’s shopping cart.

GetCartItems retrieves a list of CartItems for display or processing.

GetCount retrieves a the total number of albums a user has in their shopping cart.

GetTotal calculates the total cost of all items in the cart.

CreateOrder converts the shopping cart to an order during the checkout phase.

GetCart is a static method which allows our controllers to obtain a cart object. It uses the GetCartId method to handle reading the CartId from the user’s session. The GetCartId method requires the HttpContextBase so that it can read the user’s CartId from user’s session.

Here’s the complete ShoppingCart class:

using System;

using System.Collections.Generic;

using System.Linq;

using System.Web;

using System.Web.Mvc;

 

namespace MvcMusicStore.Models

{

    public partial class ShoppingCart

    {

        MusicStoreEntities storeDB = new MusicStoreEntities();

string ShoppingCartId { get; set; }

        public const string CartSessionKey = "CartId";

        public static ShoppingCart GetCart(HttpContextBase context)

        {

            var cart = new ShoppingCart();

            cart.ShoppingCartId = cart.GetCartId(context);

            return cart;

        }

        // Helper method to simplify shopping cart calls

        public static ShoppingCart GetCart(Controller controller)

        {

            return GetCart(controller.HttpContext);

        }

        public void AddToCart(Album album)

        {

            // Get the matching cart and album instances

            var cartItem = storeDB.Carts.SingleOrDefault(

c => c.CartId == ShoppingCartId

&& c.AlbumId == album.AlbumId);

            if (cartItem == null)

            {

                // Create a new cart item if no cart item exists

                cartItem = new Cart

                {

                    AlbumId = album.AlbumId,

                    CartId = ShoppingCartId,

                    Count = 1,

                    DateCreated = DateTime.Now

                };

                storeDB.Carts.Add(cartItem);

            }

            else

            {

                // If the item does exist in the cart, then add one to the quantity

                cartItem.Count++;

            }

            // Save changes

            storeDB.SaveChanges();

        }

        public int RemoveFromCart(int id)

        {

            // Get the cart

            var cartItem = storeDB.Carts.Single(

cart => cart.CartId == ShoppingCartId

&& cart.RecordId == id);

int itemCount = 0;

 

            if (cartItem != null)

            {

                if (cartItem.Count > 1)

                {

                    cartItem.Count--;

                    itemCount = cartItem.Count;

                }

                else

                {

                    storeDB.Carts.Remove(cartItem);

                }

 

                // Save changes

                storeDB.SaveChanges();

            }

 

            return itemCount;

        }

 

        public void EmptyCart()

        {

            var cartItems = storeDB.Carts.Where(cart => cart.CartId == ShoppingCartId);

 

            foreach (var cartItem in cartItems)

            {

                storeDB.Carts.Remove(cartItem);

            }

 

            // Save changes

            storeDB.SaveChanges();

        }

 

        public List<Cart> GetCartItems()

        {

            return storeDB.Carts.Where(cart => cart.CartId == ShoppingCartId).ToList();

        }

 

        public int GetCount()

        {

            // Get the count of each item in the cart and