mirror of
https://github.com/rudollee/LearningMVC.git
synced 2025-06-07 16:06:21 +00:00
Ch. 8 SportsStore Cart
This commit is contained in:
parent
5fff10e2a0
commit
0638f40827
14
SportsStore.Domain/Abstract/IOrderProcessor.cs
Normal file
14
SportsStore.Domain/Abstract/IOrderProcessor.cs
Normal file
@ -0,0 +1,14 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Text;
|
||||
using System.Threading.Tasks;
|
||||
using SportsStore.Domain.Entities;
|
||||
|
||||
namespace SportsStore.Domain.Abstract
|
||||
{
|
||||
public interface IOrderProcessor
|
||||
{
|
||||
void ProcessOrder(Cart cart, ShippingDetails shippingDetails);
|
||||
}
|
||||
}
|
94
SportsStore.Domain/Concrete/EmailOrderProcessor.cs
Normal file
94
SportsStore.Domain/Concrete/EmailOrderProcessor.cs
Normal file
@ -0,0 +1,94 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Web;
|
||||
using System.Net;
|
||||
using System.Net.Mail;
|
||||
using System.Text;
|
||||
using SportsStore.Domain.Abstract;
|
||||
using SportsStore.Domain.Entities;
|
||||
|
||||
|
||||
namespace SportsStore.Domain.Concrete
|
||||
{
|
||||
public class EmailSettings
|
||||
{
|
||||
public string MailToAddress = "order@example.com";
|
||||
public string MailFromAddress = "sportsstore@example.com";
|
||||
public bool UseSsl = true;
|
||||
public string Username = "MySmtpUsername";
|
||||
public string Password = "MySmtpPassword";
|
||||
public string ServerName = "smtp.example.com";
|
||||
public int ServerPort = 587;
|
||||
public bool WriteAsFile = false;
|
||||
public string FileLocation = @"c:\sports_store_emails";
|
||||
}
|
||||
|
||||
public class EmailOrderProcessor : IOrderProcessor
|
||||
{
|
||||
private EmailSettings emailSettings;
|
||||
|
||||
public EmailOrderProcessor(EmailSettings settings)
|
||||
{
|
||||
emailSettings = settings;
|
||||
}
|
||||
|
||||
public void ProcessOrder(Cart cart, ShippingDetails shipingInfo)
|
||||
{
|
||||
using (var smtpClient = new SmtpClient())
|
||||
{
|
||||
smtpClient.EnableSsl = emailSettings.UseSsl;
|
||||
smtpClient.Host = emailSettings.ServerName;
|
||||
smtpClient.Port = emailSettings.ServerPort;
|
||||
smtpClient.UseDefaultCredentials = false;
|
||||
smtpClient.Credentials = new NetworkCredential(emailSettings.Username, emailSettings.Password);
|
||||
|
||||
if (emailSettings.WriteAsFile)
|
||||
{
|
||||
smtpClient.DeliveryMethod = SmtpDeliveryMethod.SpecifiedPickupDirectory;
|
||||
smtpClient.PickupDirectoryLocation = emailSettings.FileLocation;
|
||||
smtpClient.EnableSsl = false;
|
||||
}
|
||||
|
||||
StringBuilder body = new StringBuilder()
|
||||
.AppendLine("A new order has been submitted")
|
||||
.AppendLine("---")
|
||||
.AppendLine("Items:");
|
||||
|
||||
foreach (var line in cart.Lines)
|
||||
{
|
||||
var subtotal = line.Product.Price * line.Quantity;
|
||||
body.AppendFormat("{0} x {1} (subtotal: {2:c}", line.Quantity, line.Product.Name, subtotal);
|
||||
}
|
||||
|
||||
body.AppendFormat("Total order value: {0:c}", cart.ComputeTotalValue())
|
||||
.AppendLine("---")
|
||||
.AppendLine("Ship to:")
|
||||
.AppendLine(shipingInfo.Name)
|
||||
.AppendLine(shipingInfo.Line1)
|
||||
.AppendLine(shipingInfo.Line2 ?? "")
|
||||
.AppendLine(shipingInfo.Line3 ?? "")
|
||||
.AppendLine(shipingInfo.City)
|
||||
.AppendLine(shipingInfo.State ?? "")
|
||||
.AppendLine(shipingInfo.Country)
|
||||
.AppendLine(shipingInfo.Zip)
|
||||
.AppendLine("---")
|
||||
.AppendFormat("Gift wrap: {0}", shipingInfo.GiftWrap ? "Yes" : "No");
|
||||
|
||||
MailMessage mailMessage = new MailMessage(
|
||||
emailSettings.MailFromAddress,
|
||||
emailSettings.MailToAddress,
|
||||
"New order submitted",
|
||||
body.ToString());
|
||||
|
||||
if (emailSettings.WriteAsFile)
|
||||
{
|
||||
mailMessage.BodyEncoding = Encoding.ASCII;
|
||||
}
|
||||
|
||||
smtpClient.Send(mailMessage);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
}
|
35
SportsStore.Domain/Entities/ShippingDetails.cs
Normal file
35
SportsStore.Domain/Entities/ShippingDetails.cs
Normal file
@ -0,0 +1,35 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Web;
|
||||
using System.ComponentModel.DataAnnotations;
|
||||
|
||||
namespace SportsStore.Domain.Entities
|
||||
{
|
||||
public class ShippingDetails
|
||||
{
|
||||
[Required(ErrorMessage = "Please enter a name")]
|
||||
public string Name { get; set; }
|
||||
|
||||
[Required(ErrorMessage = "Please enter the first address line")]
|
||||
[Display(Name = "Line 1")]
|
||||
public string Line1 { get; set; }
|
||||
[Display(Name = "Line 2")]
|
||||
public string Line2 { get; set; }
|
||||
[Display(Name = "Line 3")]
|
||||
public string Line3 { get; set; }
|
||||
|
||||
[Required(ErrorMessage = "Please enter a city name")]
|
||||
public string City { get; set; }
|
||||
|
||||
[Required(ErrorMessage = "Please enter a state name")]
|
||||
public string State { get; set; }
|
||||
|
||||
public string Zip { get; set; }
|
||||
|
||||
[Required(ErrorMessage = "Please enter a country name")]
|
||||
public string Country { get; set; }
|
||||
|
||||
public bool GiftWrap { get; set; }
|
||||
}
|
||||
}
|
@ -105,11 +105,14 @@
|
||||
<Content Include="Web.config" />
|
||||
</ItemGroup>
|
||||
<ItemGroup>
|
||||
<Compile Include="Abstract\IOrderProcessor.cs" />
|
||||
<Compile Include="Abstract\IProductRepository.cs" />
|
||||
<Compile Include="Concrete\EFDbContext.cs" />
|
||||
<Compile Include="Concrete\EFProductRepository.cs" />
|
||||
<Compile Include="Concrete\EmailOrderProcessor.cs" />
|
||||
<Compile Include="Entities\Cart.cs" />
|
||||
<Compile Include="Entities\Product.cs" />
|
||||
<Compile Include="Entities\ShippingDetails.cs" />
|
||||
<Compile Include="Properties\AssemblyInfo.cs" />
|
||||
</ItemGroup>
|
||||
<PropertyGroup>
|
||||
|
5
SportsStore.WebUI/Content/ErrorStyles.css
Normal file
5
SportsStore.WebUI/Content/ErrorStyles.css
Normal file
@ -0,0 +1,5 @@
|
||||
.field-validation-error { color: #f00;}
|
||||
.field-validation-valid { display: none;}
|
||||
.input-validation-error {border: 1px solid #f00; background-color: #fee;}
|
||||
.vlaidation-summary-errors {font-weight: bold; color: #f00;}
|
||||
.validation-summary-valid {display: none;}
|
@ -12,54 +12,87 @@ namespace SportsStore.WebUI.Controllers
|
||||
public class CartController : Controller
|
||||
{
|
||||
private IProductRepository repository;
|
||||
private IOrderProcessor orderProcessor;
|
||||
|
||||
public CartController(IProductRepository repo)
|
||||
public CartController(IProductRepository repo, IOrderProcessor proc)
|
||||
{
|
||||
repository = repo;
|
||||
orderProcessor = proc;
|
||||
}
|
||||
|
||||
public ViewResult Index(string returnUrl)
|
||||
public ViewResult Index(Cart cart, string returnUrl)
|
||||
{
|
||||
return View(new CartIndexViewModel { Cart = GetCart(), ReturnUrl = returnUrl });
|
||||
return View(new CartIndexViewModel { ReturnUrl = returnUrl, Cart = cart });
|
||||
}
|
||||
|
||||
public RedirectToRouteResult AddToCart(int productId, string returnUrl)
|
||||
public RedirectToRouteResult AddToCart(Cart cart, int productId, string returnUrl)
|
||||
{
|
||||
Product product = repository.Products
|
||||
.FirstOrDefault(p => p.ProductID == productId);
|
||||
|
||||
if (product != null)
|
||||
{
|
||||
GetCart().AddItem(product, 1);
|
||||
//GetCart().AddItem(product, 1);
|
||||
cart.AddItem(product, 1);
|
||||
}
|
||||
|
||||
return RedirectToAction("Index", new { returnUrl });
|
||||
}
|
||||
|
||||
public RedirectToRouteResult RemoveFromCart(int productId, string returnUrl)
|
||||
public RedirectToRouteResult RemoveFromCart(Cart cart, int productId, string returnUrl)
|
||||
{
|
||||
Product product = repository.Products
|
||||
.FirstOrDefault(p => p.ProductID == productId);
|
||||
|
||||
if (product != null)
|
||||
{
|
||||
GetCart().RemoveLine(product);
|
||||
//GetCart().RemoveLine(product);
|
||||
cart.RemoveLine(product);
|
||||
}
|
||||
|
||||
return RedirectToAction("Index", new { returnUrl });
|
||||
}
|
||||
|
||||
//private Cart GetCart()
|
||||
//{
|
||||
// Cart cart = (Cart)Session["Cart"];
|
||||
// if (cart == null)
|
||||
// {
|
||||
// cart = new Cart();
|
||||
// Session["Cart"] = cart;
|
||||
// }
|
||||
|
||||
private Cart GetCart()
|
||||
// return cart;
|
||||
//}
|
||||
|
||||
public PartialViewResult Summary(Cart cart)
|
||||
{
|
||||
Cart cart = (Cart)Session["Cart"];
|
||||
if (cart == null)
|
||||
return PartialView(cart);
|
||||
}
|
||||
|
||||
public ViewResult Checkout()
|
||||
{
|
||||
return View(new ShippingDetails());
|
||||
}
|
||||
|
||||
[HttpPost]
|
||||
public ViewResult Checkout(Cart cart, ShippingDetails shippingDetails)
|
||||
{
|
||||
if (cart.Lines.Count() == 0)
|
||||
{
|
||||
cart = new Cart();
|
||||
Session["Cart"] = cart;
|
||||
ModelState.AddModelError("", "Sorry, your cart is empty!");
|
||||
}
|
||||
|
||||
return cart;
|
||||
if (ModelState.IsValid)
|
||||
{
|
||||
orderProcessor.ProcessOrder(cart, shippingDetails);
|
||||
cart.Clear();
|
||||
return View("Completed");
|
||||
}
|
||||
else
|
||||
{
|
||||
return View(shippingDetails);
|
||||
}
|
||||
}
|
||||
|
||||
}
|
||||
|
@ -4,6 +4,8 @@ using System.Linq;
|
||||
using System.Web;
|
||||
using System.Web.Mvc;
|
||||
using System.Web.Routing;
|
||||
using SportsStore.Domain.Entities;
|
||||
using SportsStore.WebUI.Infrastructure.Binders;
|
||||
|
||||
namespace SportsStore.WebUI
|
||||
{
|
||||
@ -13,6 +15,8 @@ namespace SportsStore.WebUI
|
||||
{
|
||||
AreaRegistration.RegisterAllAreas();
|
||||
RouteConfig.RegisterRoutes(RouteTable.Routes);
|
||||
|
||||
ModelBinders.Binders.Add(typeof(Cart), new CartModelBinder());
|
||||
}
|
||||
}
|
||||
}
|
||||
|
34
SportsStore.WebUI/Infrastructure/Binders/CartModelBinder.cs
Normal file
34
SportsStore.WebUI/Infrastructure/Binders/CartModelBinder.cs
Normal file
@ -0,0 +1,34 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Linq;
|
||||
using System.Web;
|
||||
using System.Web.Mvc;
|
||||
using SportsStore.Domain.Entities;
|
||||
|
||||
namespace SportsStore.WebUI.Infrastructure.Binders
|
||||
{
|
||||
public class CartModelBinder : IModelBinder
|
||||
{
|
||||
private const string sessionKey = "Cart";
|
||||
|
||||
public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
|
||||
{
|
||||
Cart cart = null;
|
||||
if (controllerContext.HttpContext.Session != null)
|
||||
{
|
||||
cart = (Cart)controllerContext.HttpContext.Session[sessionKey];
|
||||
}
|
||||
|
||||
if (cart == null)
|
||||
{
|
||||
cart = new Cart();
|
||||
if (controllerContext.HttpContext.Session != null)
|
||||
{
|
||||
controllerContext.HttpContext.Session[sessionKey] = cart;
|
||||
}
|
||||
}
|
||||
|
||||
return cart;
|
||||
}
|
||||
}
|
||||
}
|
@ -1,5 +1,6 @@
|
||||
using System;
|
||||
using System.Collections.Generic;
|
||||
using System.Configuration;
|
||||
using System.Linq;
|
||||
using System.Web;
|
||||
using System.Web.Mvc;
|
||||
@ -43,6 +44,13 @@ namespace SportsStore.WebUI.Infrastructure
|
||||
|
||||
kernel.Bind<IProductRepository>().To<EFProductRepository>();
|
||||
|
||||
EmailSettings emailSettings = new EmailSettings
|
||||
{
|
||||
WriteAsFile = bool.Parse(ConfigurationManager.AppSettings["Email.WriteAsFile"] ?? "false")
|
||||
};
|
||||
|
||||
kernel.Bind<IOrderProcessor>().To<EmailOrderProcessor>().WithConstructorArgument("settings", emailSettings);
|
||||
|
||||
|
||||
}
|
||||
}
|
||||
|
@ -113,6 +113,7 @@
|
||||
<Content Include="Content\bootstrap-theme.min.css" />
|
||||
<Content Include="Content\bootstrap.css" />
|
||||
<Content Include="Content\bootstrap.min.css" />
|
||||
<Content Include="Content\ErrorStyles.css" />
|
||||
<Content Include="Content\Site.css" />
|
||||
<Content Include="fonts\glyphicons-halflings-regular.svg" />
|
||||
<Content Include="Global.asax" />
|
||||
@ -142,6 +143,7 @@
|
||||
<DependentUpon>Global.asax</DependentUpon>
|
||||
</Compile>
|
||||
<Compile Include="HtmlHelpers\PagingHelpers.cs" />
|
||||
<Compile Include="Infrastructure\Binders\CartModelBinder.cs" />
|
||||
<Compile Include="Infrastructure\NinjectDependencyResolver.cs" />
|
||||
<Compile Include="Models\CartIndexViewModel.cs" />
|
||||
<Compile Include="Models\PagingInfo.cs" />
|
||||
@ -158,6 +160,9 @@
|
||||
<Content Include="Views\Shared\ProductSummary.cshtml" />
|
||||
<Content Include="Views\Nav\Menu.cshtml" />
|
||||
<Content Include="Views\Cart\Index.cshtml" />
|
||||
<Content Include="Views\Cart\Summary.cshtml" />
|
||||
<Content Include="Views\Cart\Checkout.cshtml" />
|
||||
<Content Include="Views\Cart\Completed.cshtml" />
|
||||
<None Include="Web.Debug.config">
|
||||
<DependentUpon>Web.config</DependentUpon>
|
||||
</None>
|
||||
|
74
SportsStore.WebUI/Views/Cart/Checkout.cshtml
Normal file
74
SportsStore.WebUI/Views/Cart/Checkout.cshtml
Normal file
@ -0,0 +1,74 @@
|
||||
@model SportsStore.Domain.Entities.ShippingDetails
|
||||
|
||||
@{
|
||||
ViewBag.Title = "SportStore Checkout";
|
||||
}
|
||||
|
||||
<h2>Checkout</h2>
|
||||
<p>Please enter your details, and we'll ship your goods right away!</p>
|
||||
|
||||
@using (Html.BeginForm())
|
||||
{
|
||||
@Html.ValidationSummary()
|
||||
|
||||
<h3>Ship to</h3>
|
||||
<div class="form-group">
|
||||
<label>Name:</label>
|
||||
@Html.TextBoxFor(x => x.Name, new { @class = "form-control" } )
|
||||
</div>
|
||||
|
||||
<h3>Address</h3>
|
||||
|
||||
foreach (var property in ViewData.ModelMetadata.Properties)
|
||||
{
|
||||
if (property.PropertyName != "Name" && property.PropertyName != "GiftWrap")
|
||||
{
|
||||
<div class="form-group">
|
||||
<label>@(property.DisplayName ?? property.PropertyName)</label>
|
||||
@Html.TextBox(property.PropertyName, null, new { @class = "form-control" })
|
||||
</div>
|
||||
}
|
||||
}
|
||||
|
||||
@*<div class="form-group">
|
||||
<label>Line 1:</label>
|
||||
@Html.TextBoxFor(x => x.Line1, new { @class = "form-control" })
|
||||
</div>
|
||||
<div class="form-group">
|
||||
<label>Line 2:</label>
|
||||
@Html.TextBoxFor(x => x.Line2, new { @class = "form-control" })
|
||||
</div>
|
||||
<div class="form-group">
|
||||
<label>Line 3:</label>
|
||||
@Html.TextBoxFor(x => x.Line3, new { @class = "form-control" })
|
||||
</div>
|
||||
<div class="form-group">
|
||||
<label>City:</label>
|
||||
@Html.TextBoxFor(x => x.City, new { @class = "form-control" })
|
||||
</div>
|
||||
<div class="form-group">
|
||||
<label>State:</label>
|
||||
@Html.TextBoxFor(x => x.State, new { @class = "form-control" })
|
||||
</div>
|
||||
<div class="form-group">
|
||||
<label>Zip:</label>
|
||||
@Html.TextBoxFor(x => x.Zip, new { @class = "form-control" })
|
||||
</div>
|
||||
<div class="form-group">
|
||||
<label>Country:</label>
|
||||
@Html.TextBoxFor(x => x.Country, new { @class = "form-control" })
|
||||
</div>*@
|
||||
|
||||
<h3>Options</h3>
|
||||
<div class="checkbox">
|
||||
<label>
|
||||
@Html.EditorFor(x => x.GiftWrap)
|
||||
Gift wrap these items
|
||||
</label>
|
||||
</div>
|
||||
|
||||
<div class="text-center">
|
||||
<input class="btn btn-primary" type="submit" value="Complete order" />
|
||||
</div>
|
||||
}
|
||||
|
8
SportsStore.WebUI/Views/Cart/Completed.cshtml
Normal file
8
SportsStore.WebUI/Views/Cart/Completed.cshtml
Normal file
@ -0,0 +1,8 @@
|
||||
|
||||
@{
|
||||
ViewBag.Title = "SportsStore: Order Submitted";
|
||||
}
|
||||
|
||||
<h2>Thanks!</h2>
|
||||
Thanks for placing your order. We'll ship your goods as soon as possible.
|
||||
|
@ -3,8 +3,12 @@
|
||||
ViewBag.Title = "Sports Store: Your Cart";
|
||||
}
|
||||
|
||||
<style>
|
||||
#cartTable td {vertical-align: middle;}
|
||||
</style>
|
||||
|
||||
<h2>Your cart</h2>
|
||||
<table class="table">
|
||||
<table id="cartTable" class="table">
|
||||
<thead>
|
||||
<tr>
|
||||
<th>Quantity</th>
|
||||
@ -23,6 +27,14 @@
|
||||
<td class="text-right">
|
||||
@((line.Quantity * line.Product.Price).ToString("c"))
|
||||
</td>
|
||||
<td>
|
||||
@using (Html.BeginForm("RemoveFromCart", "cart"))
|
||||
{
|
||||
@Html.Hidden("ProductId", line.Product.ProductID)
|
||||
@Html.HiddenFor(x => x.ReturnUrl)
|
||||
<input class="btn btn0sm btn-warning" type="submit" value="Remove" />
|
||||
}
|
||||
</td>
|
||||
</tr>
|
||||
}
|
||||
</tbody>
|
||||
@ -38,5 +50,6 @@
|
||||
</table>
|
||||
<div class="text-center">
|
||||
<a class="btn btn-primary" href="@Model.ReturnUrl">Continue Shopping</a>
|
||||
@Html.ActionLink("Checkout now", "Checkout", null, new { @class = "btn btn-primary" })
|
||||
</div>
|
||||
|
||||
|
15
SportsStore.WebUI/Views/Cart/Summary.cshtml
Normal file
15
SportsStore.WebUI/Views/Cart/Summary.cshtml
Normal file
@ -0,0 +1,15 @@
|
||||
@model SportsStore.Domain.Entities.Cart
|
||||
|
||||
<div class="navbar-right">
|
||||
@Html.ActionLink("Checkout", "Index", "Cart",
|
||||
new { returnUrl = Request.Url.PathAndQuery },
|
||||
new { @class = "btn btn-default navbar-btn" }
|
||||
)
|
||||
|
||||
</div>
|
||||
|
||||
<div class="navbar-text navbar-right">
|
||||
<b>Your cart:</b>
|
||||
@Model.Lines.Sum(x => x.Quantity) item(s),
|
||||
@Model.ComputeTotalValue().ToString("c")
|
||||
</div>
|
@ -5,11 +5,13 @@
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<link href="~/Content/bootstrap.css" rel="stylesheet" />
|
||||
<link href="~/Content/bootstrap-theme.css" rel="stylesheet" />
|
||||
<link href="~/Content/ErrorStyles.css" rel="stylesheet" />
|
||||
<title>@ViewBag.Title</title>
|
||||
</head>
|
||||
<body>
|
||||
<div class="navbar navbar-inverse" role="navigation">
|
||||
<a class="navbar-brand" href="#">SPORTS STORE</a>
|
||||
@Html.Action("Summary", "Cart")
|
||||
</div>
|
||||
<div class="row panel">
|
||||
<div id="categories" class="col-xs-3">
|
||||
|
@ -16,6 +16,7 @@
|
||||
<add key="webpages:Enabled" value="false" />
|
||||
<add key="ClientValidationEnabled" value="true" />
|
||||
<add key="UnobtrusiveJavaScriptEnabled" value="true" />
|
||||
<add key="Email.WriteAsFile" value="true" />
|
||||
</appSettings>
|
||||
<system.web>
|
||||
<compilation debug="true" targetFramework="4.5.2" />
|
||||
|
Loading…
x
Reference in New Issue
Block a user