-1

我有这个方法

public CreateModule GetModuleDetails(long id)
{
    var module = (_dbSis.Modules.Where(t => t.Id == id).Select(m => new CreateModule
    {
        Id = id,
        ModuleId = m.ModuleId,
        TypeName = m.ModuleType.TypeName,
        KindName = m.ModuleType.ModuleKind.KindName,
        Properties = m.PropertyConfiguration.PropertyInstances.Select(
            x => new Property { Name = x.Property.Name, Value = x.Value })
    }));

    return (module.FirstOrDefault());
}

在此方法中,假设ID为40 的模块具有两个属性名称和两个属性值。我想要一个只返回其中两个属性名称和值的函数,所以基本上是来自上述函数的属性字段,它的类型是IEnumerable。我做了这个现在不起作用

 public List<Property> GetModuleProperties(long id)
 {
     var moduleProperties = _dbSis.Modules.Where(m => m.Id == id).SelectMany(p => new Property()
     {
         Name = p.PropertyConfiguration.PropertyInstances.Select(z=>z.Property.Name),
         Value = p.PropertyConfiguration.PropertyInstances.Select(x=>x.Value)
     });
      return (moduleProperties);
  }

但是我分配NameValue使用 Linq 的行显示错误,因为 linq 表达式返回字段的两个名称和Name字段的两个值Value

我该如何解决这个问题,以便该方法返回正确的值列表?

实际上,现在这个模块有两个属性名称:Physical ID 和 FirmwareVersion 和两个值:123456 和 1.02。

4

1 回答 1

1

看起来你想要:

return _dbSis.Modules.Where(t => t.Id == id)
    .SelectMany(m => m.PropertyConfiguration.PropertyInstances)
    .Select(i => new Property { Name = i.Property.Name, Value = i.Value })
    .ToList();

或者:

return _dbSis.Modules.Where(t => t.Id == id)
    .SelectMany(m => m.PropertyConfiguration.PropertyInstances.Select(i => new Property {
        Name = i.Property.Name,
        Value = i.Value
    })
    .ToList();
于 2013-07-19T11:37:14.233 回答