我已经在SQL Server中创建了一个 View ,其中包含来自不同表的最重要的列。
将表的内容打印到ASP.NET MVC View 可以正常工作,但是当我想获取单个记录的详细信息时,就会出现问题。



我导航到执行此操作的特定记录:

@Html.ActionLink("Details", "Details", new {  id=item.Record_number  })

记录号是主键。我通过右键单击.edmx模型中的特定变量来手动设置它。然后,我尝试使用以下方法获取特定数据:
    //
    // GET: /Record/Details/5
    public ActionResult Details(int id = 0)
    {
        try
        {
            RecordDataView record = db.RecordDataView.Find(id); //HERE THE ERROR OCCUR
            if (record == null)
            {
                return HttpNotFound();
            }
            return View(record);
        }
        catch(EntityException)
        {
            return RedirectToAction("NoDatabaseConnection", "Home");
        }
    }

该模型如下所示:
namespace Implant.Database
{
    using System;
    using System.Collections.Generic;

    public partial class RecordDataView
    {
        public int Record_number { get; set; }
        public Nullable<System.DateTime> DOB { get; set; }
        public Nullable<System.DateTime> Record_date { get; set; }

        /** rest of code omitted */
    }
}

目前,我正在使用以下代码来使其全部工作。但是我觉得这不是一个很好的方法或效率。我很好奇如何解决以上问题!
    //
    // GET: /Record/Details/5
    public ActionResult Details(int id = 0)
    {
        var record = from r in db.RecordDataView
                     select r;
        if (id != 0)
        {
            record = record.Where(r => r.Record_number == id);
        }
        RecordDataView rec = record.ToList().First();

        return View(rec);
    }

有人知道为什么会发生此错误?感谢帮助!

最佳答案

如果您在.edmx中设置主键,那么您也应该更新数据库,因为您的模型中有PK,而数据库中没有。 更新:不适用于 View 。

对于 View ,请使用.SingleOrDefault而不是Find()

在这种情况下,更改以下行:RecordDataView record = db.RecordDataView.Find(id);到以下内容:RecordDataView recorddataview = db.RecordDataView.SingleOrDefault(m => m.Record_number == id);

10-08 14:17