我的任务是创建用于Web API和CRUD的模型和数据库,模型属性之一是汽车的照片。在对数据进行硬编码以进行数据库迁移时,如何将该属性设置为照片并将照片路径保存到SQL数据库。后来,我不得不与邮递员一起操作,以便对该照片以及该车的其他属性进行CRUD和API操作。最简单的解决方案是什么?我发现了一些有关IFormFile和字节的信息,但不确定如何正确执行。我正在使用asp.net core 2.2。谢谢!
答案 0 :(得分:0)
您可以尝试按照以下步骤操作:
1。向项目添加一个新文件夹,并将其命名为wwwroot
,然后在wwwroot
文件夹中创建images文件夹和Cars子文件夹。
2。模型
public class Car
{
public int Id { get; set; }
public string CarName { get; set; }
public string ImagePath { get; set; }
}
public class CarViewModel
{
public string CarName { get; set; }
public IFormFile Image { get; set; }
}
3.Controller
[Route("api/[controller]")]
[ApiController]
public class CarsController : ControllerBase
{
private readonly IHostingEnvironment _hostingEnv;
private readonly WebAPIDbContext _context;
public CarsController(WebAPIDbContext context, IHostingEnvironment hostingEnv)
{
_hostingEnv = hostingEnv;
_context = context;
}
[HttpPost]
public async Task<ActionResult> Post([FromForm] CarViewModel carVM)
{
if (carVM.Image != null)
{
var a = _hostingEnv.WebRootPath;
var fileName = Path.GetFileName(carVM.Image.FileName);
var filePath = Path.Combine(_hostingEnv.WebRootPath, "images\\Cars", fileName);
using (var fileSteam = new FileStream(filePath, FileMode.Create))
{
await carVM.Image.CopyToAsync(fileSteam);
}
Car car = new Car();
car.CarName = carVM.CarName;
car.ImagePath = filePath; //save the filePath to database ImagePath field.
_context.Add(car);
await _context.SaveChangesAsync();
return Ok();
}
else
{
return BadRequest();
}
}
}