110 lines
3.0 KiB
C#
110 lines
3.0 KiB
C#
using Microsoft.AspNetCore.Authorization;
|
|
using Microsoft.AspNetCore.Mvc;
|
|
using Microsoft.EntityFrameworkCore;
|
|
using System.Security.Claims;
|
|
using WebVentaCoche.DataBase;
|
|
using WebVentaCoche.Models;
|
|
|
|
namespace WebVentaCoche.Controllers
|
|
{
|
|
[Authorize]
|
|
public class OrderController : Controller
|
|
{
|
|
private readonly ApplicationDbContext _context;
|
|
|
|
public OrderController(ApplicationDbContext context)
|
|
{
|
|
_context = context;
|
|
}
|
|
|
|
//GET:Order/Index
|
|
public async Task<IActionResult> Index()
|
|
{
|
|
var orders = await _context.Orders.Include(o => o.User).ToListAsync();
|
|
return View(orders);
|
|
}
|
|
//GET:/Order/MyOrders
|
|
[Authorize]
|
|
public async Task<IActionResult> UserOrders()
|
|
{
|
|
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier)!;
|
|
var myOrders = await _context.Orders.Where(o => o.UserId == userId).Include(o => o.OrderDetails).ThenInclude(d => d.Product).OrderByDescending(o => o.OrderDate).ToListAsync();
|
|
|
|
return View(myOrders);
|
|
}
|
|
//GET:Order/Details/{id}
|
|
[HttpGet]
|
|
public async Task<IActionResult> Details(int? id)
|
|
{
|
|
if (id == null)
|
|
return NotFound();
|
|
|
|
var userId = User.FindFirstValue(ClaimTypes.NameIdentifier)!;
|
|
|
|
var order = await _context.Orders.Include(o => o.OrderDetails).ThenInclude(d => d.Product).FirstOrDefaultAsync(o => o.Id == id && o.UserId == userId);
|
|
|
|
if (order == null)
|
|
return NotFound();
|
|
|
|
return View(order);
|
|
}
|
|
|
|
//GET:Order/Edit/{id}
|
|
public async Task<IActionResult> Edit(int? id)
|
|
{
|
|
if (id == null)
|
|
{
|
|
return NotFound();
|
|
}
|
|
|
|
var order = await _context.Orders.FindAsync(id);
|
|
if (order == null)
|
|
{
|
|
return NotFound();
|
|
}
|
|
|
|
return View(order);
|
|
}
|
|
|
|
//POST:Order/Edit/{id}
|
|
[HttpPost]
|
|
[ValidateAntiForgeryToken]
|
|
public async Task<IActionResult> Edit(int id, Order order)
|
|
{
|
|
if (id != order.Id)
|
|
{
|
|
return NotFound();
|
|
}
|
|
|
|
if (ModelState.IsValid)
|
|
{
|
|
try
|
|
{
|
|
_context.Update(order);
|
|
await _context.SaveChangesAsync();
|
|
}
|
|
catch (DbUpdateConcurrencyException)
|
|
{
|
|
if (!OrderExists(order.Id))
|
|
{
|
|
return NotFound();
|
|
}
|
|
else
|
|
{
|
|
throw;
|
|
}
|
|
}
|
|
|
|
return RedirectToAction(nameof(Index));
|
|
}
|
|
|
|
return View(order);
|
|
}
|
|
|
|
private bool OrderExists(int id)
|
|
{
|
|
return _context.Orders.Any(e => e.Id == id);
|
|
}
|
|
}
|
|
}
|