1

我正在使用 asp.net mvc3。

我有一个创建 ADO.NET 实体数据模型的 edmx。(数据优先)

TestDb.Designer.cs

namespace Test.Web.DataModel
{
    public partial class TestDbContext : ObjectContext
    {
         public ObjectSet<T_Members> T_Members { ... }
         public ObjectSet<T_Documents> T_Documents { ... }
         ....
    }
}

如何按名称(字符串)获取 ObjectSet?

例如,我想成为这个。

var members = context.GetTable("T_Members"); // var members = context.T_Members;
4

1 回答 1

2

我对ObjectContext内部不太熟悉,所以可能有一种更“原生”的方式,

...但是你需要一些东西reflection来把你的财产拿出来。
(注意:我没有任何 db-first 方便检查,所以如果有一些错字你需要调整 - 应该可以)

public static object GetTableFromName(this TestDbContext db, string propertyName)
{
    PropertyInfo property = null;
    property = typeof(TestDbContext)
        .GetProperty(propertyName, BindingFlags.Instance | BindingFlags.Public);
    return property.GetValue(db, null);
}
public static object GetTableFromType(this TestDbContext db, string tableTypeName)
{
    // var tableType = typeof(TestDbContext).Assembly.GetType("YourNamespace.T_Members");
    var tableType = Type.GetType(tableTypeName);
    var genericType = typeof(ObjectSet<>).MakeGenericType(new[] { tableType });
    var property = typeof(TestDbContext)
        .GetProperties(BindingFlags.Instance | BindingFlags.Public)
        .Where(x => x.PropertyType == genericType).FirstOrDefault();
    return property.GetValue(db, null);
}

并像使用它一样

var table = db.GetTableFromName("T_Members");
table = db.GetTableFromType("YourNamespace.T_Members);
// this gets you the `object` you'd still need to 'cast' or something 
于 2013-04-26T11:02:09.437 回答