0

我正在使用现有数据库,因此更改架构不是一种选择。这是我正在使用的表格...

Product
-------------------------------------
ID               - GUID         [PK]
Name             - varchar(100) 
ModelId          - GUID         [FK1, FK2]
SoftWareVersion  - varchar(10)  [FK2]

[FK1] Foreign Key to Model table
[FK2] Foreign Composite key to SoftwareVersion table


ProductModel
-------------------------------------
ID               - GUID         [PK]
ModelName        - varchar(100)


SoftwareVersion
-------------------------------------
ID               - GUID         [PK]
Version          - varchar(10)
ModelId          - GUID         [FK1]

[FK1] Foreign Key to Model table

每个单独的产品都安装了软件。我们有几个产品模型,每个产品显然都与一个模型(产品[FK1])相关联。

在每个产品型号的生命周期中,它可能有多个软件更新/版本。同样,该软件可能安装在许多型号上。

我需要能够获取 ProductID 并返回安装在该特定产品上的软件版本。通常,我会获得与我正在查找的产品型号相关的软件版本,但该型号可能有几个更新。我无法单独查找 Product.SoftwareVersion 字段,因为这将返回安装该软件的所有不同型号。

所以最终我需要从 SoftwareVersion 返回记录,其中 ModelId 和版本与我正在查找的产品相匹配。

我想将 SoftwareVersion 作为产品的属性返回...

Product.SoftwareVersion

在我的 ProductEntity 定义中,我有以下...

[Table("Product")]
public class ProductEntity
{
    [ForeignKey("Model")]
    public Guid ModelID { get; set; }
    public virtual ProductModelEntity Model { get; set; }


    [ForeignKey("SoftwareVersion")]
    public String SoftwareVersionNumber { get; set; }
    public virtual SoftwareVersionEntity SoftwareVersion { get; set; }
}

因此,“ModelID”扮演了模型的外键角色,并作为 SoftwareVersion 的复合外键的一部分。但是,我不能将多个 ForeignKey 属性分配给同一个属性...

[ForeignKey("Model"),ForeignKey("SoftwareVersion")]
public Guid ModelID { get; set; }
public virtual ProductModelEntity Model { get; set; }

如果可能的话,我更喜欢使用属性,但也对其他技术持开放态度。(属性直接在相关代码中描述类,而不是在库中传播定义。很高兴了解您正在查看的内容,而不是花时间寻找定义......但我离题了!)

非常感谢一如既往的任何帮助。

谢谢你

-G

4

1 回答 1

0

我认为以下注释都可以使用:

[Table("Product")]
public class ProductEntity
{
    public Guid ModelID { get; set; }
    public String SoftwareVersionNumber { get; set; }

    [ForeignKey("ModelID, SoftwareVersionNumber")]
    public virtual ProductModelEntity Model { get; set; }

    [ForeignKey("SoftwareVersionNumber")]
    public virtual SoftwareVersionEntity SoftwareVersion { get; set; }
}

或者:

[Table("Product")]
public class ProductEntity
{
    [ForeignKey("Model"), Column(Order = 1)]
    public Guid ModelID { get; set; }

    [ForeignKey("Model"), ForeignKey("SoftwareVersion"), Column(Order = 2)]
    public String SoftwareVersionNumber { get; set; }

    public virtual ProductModelEntity Model { get; set; }
    public virtual SoftwareVersionEntity SoftwareVersion { get; set; }
}
于 2012-07-12T18:47:07.750 回答