3

我试图把所有这些 ViewModel 的东西都包起来,并以正确的方式做事。我有几个模型通过实体框架链接到 SQL 表,比如这个:

[Table("HardwareOptions", Schema = "dbo")]
public class HardwareOption {
  [Key]
  public int RecordID {get; set;}
  [ForeignKey("Configuration")]
  public string Configuration {get; set;}
  public string ComputerManufacturer {get; set;}
  public string ComputerModel {get; set;}
  public string ComputerDescription {get; set;}
  public int MonitorCount {get; set;}
  public string MonitorManufacturer {get; set;}
  public string MonitorModel {get; set;}
  public string MonitorDescription {get; set;}
}

我有一个这样的视图模型:

public class OrderIndexViewModel {
  public Customer Customer {get; set;}
  public MetaUser MetaUser {get; set;}
  public DbSet<HardwareOption> HardwareOptions {get; set;}
  public DbSet<Machine> Machines {get; set;}
  public DbSet<PendingOrder> PendingOrders {get; set;}
}

我的控制器有点像这样:

private MyDbContext db = new MyDbContext();
OrderIndexViewModel viewmodel = new OrderIndexViewModel();
viewmodel.Customer = db.Customers.Find("myselffortesting");
viewmodel.MetaUser = db.MetaUsers.Find("myselffortesting");
viewmodel.HardwareOptions = db.HardwareOptions;
viewmodel.Machines = db.Machines;
viewmodel.PendingOrders = db.PendingOrders;
return View(viewmodel);

如您所见,在我看来,我只需要有关一位客户/用户的信息,但我需要能够查询整个 HardwareOptions、Machines 和 PendingOrders 表。现在,如果我的架构完全错误,请告诉我,因为这更多是关于这个问题的。但是对于特定的东西,比如说我想从 HardwareOptions 中创建一个下拉列表。从技术上讲,我希望每个SelectItem人都说出几列值的字符串组合,但现在我会说我只想要一个,比如配置。这样做的正确方法是什么?我不知道如何操纵DbSet. 当我尝试从 中创建一个Html.DropDownListDbSet,我得到了一个包含正确数量的项目的列表,但他们都说“mynamespace.Models.HardwareOption”。这是有道理的,我只是不知道如何正确地做到这一点。

4

1 回答 1

6

您可以DbSet<T>在示例中使用 a 做的有用的事情是投影。您将定义第二个 ViewModel,其中包含要在下拉列表中显示的属性:

public class HardwareOptionViewModel
{
    public int Id { get; set; }
    public string Configuration { get; set; }
    public string AnotherProperty { get; set; }
    //...
}

而不是你在DbSet你的使用这个 ViewModel 的集合OrderIndexViewModel

public class OrderIndexViewModel
{
    //...
    public IEnumerable<HardwareOptionViewModel> HardwareOptions { get; set; }
    //...
}

并且仅使用以下Select方法从数据库中加载这些属性:

viewmodel.HardwareOptions = db.HardwareOptions
    .Select(h => new HardwareOptionViewModel
    {
        Id = h.Id,
        Configuration = h.Configuration,
        AnotherProperty = h.AnotherProperty,
        //...
    })
    .ToList();

编辑

您可以将集合绑定到下拉列表,如下所示:

@model MyNamespace.OrderIndexViewModel

...

<div>
    @Html.DropDownListFor(model => model.CurrentHardwareOptionId,
        new SelectList(Model.HardwareOptions, "Id", "Configuration",
                       Model.CurrentHardwareOptionId))
</div>

在这里,我介绍了一个与(在示例中)具有相同类型的新属性CurrentHardwareOptionId,它应该是下拉列表中选定的属性应该在页面回发时绑定到的属性:OrderIndexViewModelIdintId

public class OrderIndexViewModel
{
    //...

    public int CurrentHardwareOptionId { get; set; }
}
于 2012-09-28T20:52:28.353 回答