在 Google 上进行了更多探索之后,我最终在这里找到了一个有趣的方法。这个想法是为 LINQ 实体创建一个自定义映射源,这只不过是正常功能的传递,直到您到达表名的位置。
该文章中的确切代码实际上并没有工作(除了一个或两个容易修复的编译错误),因为由于某种原因,该TableName
属性实际上没有被调用。所以我必须在MetaTable
对象中明确设置它。而且由于它是一个私有字段,因此需要进行反思。
我最终得到如下。
自定义映射源
public class CustomMappingSource : MappingSource
{
private AttributeMappingSource mapping = new AttributeMappingSource();
protected override MetaModel CreateModel(Type dataContextType)
{
return new CustomMetaModel(mapping.GetModel(dataContextType));
}
}
这只是一个传递,这里没有什么有趣的事情发生。但它确实需要下一个级别:
自定义元模型
public class CustomMetaModel : MetaModel
{
private static CustomAttributeMapping mapping = new CustomAttributeMapping();
private MetaModel model;
public CustomMetaModel(MetaModel model)
{
this.model = model;
}
public override Type ContextType
{
get { return model.ContextType; }
}
public override MappingSource MappingSource
{
get { return mapping; }
}
public override string DatabaseName
{
get { return model.DatabaseName; }
}
public override Type ProviderType
{
get { return model.ProviderType; }
}
public override MetaTable GetTable(Type rowType)
{
return new CustomMetaTable(model.GetTable(rowType), model);
}
public override IEnumerable<MetaTable> GetTables()
{
foreach (var table in model.GetTables())
yield return new CustomMetaTable(table, model);
}
public override MetaFunction GetFunction(System.Reflection.MethodInfo method)
{
return model.GetFunction(method);
}
public override IEnumerable<MetaFunction> GetFunctions()
{
return model.GetFunctions();
}
public override MetaType GetMetaType(Type type)
{
return model.GetMetaType(type);
}
}
再次,所有的传递。在我们进入下一个级别之前没有什么有趣的:
自定义元表
public class CustomMetaTable : MetaTable
{
private MetaTable table;
private MetaModel model;
public CustomMetaTable(MetaTable table, MetaModel model)
{
this.table = table;
this.model = model;
var tableNameField = this.table.GetType().FindMembers(MemberTypes.Field, BindingFlags.NonPublic | BindingFlags.Instance, (member, criteria) => member.Name == "tableName", null).OfType<FieldInfo>().FirstOrDefault();
if (tableNameField != null)
tableNameField.SetValue(this.table, TableName);
}
public override System.Reflection.MethodInfo DeleteMethod
{
get { return table.DeleteMethod; }
}
public override System.Reflection.MethodInfo InsertMethod
{
get { return table.InsertMethod; }
}
public override System.Reflection.MethodInfo UpdateMethod
{
get { return table.UpdateMethod; }
}
public override MetaModel Model
{
get { return model; }
}
public override string TableName
{
get
{
return table.TableName
.Replace("CRPDTA", ConfigurationManager.AppSettings["BusinessDataSchema"])
.Replace("CRPCTL", ConfigurationManager.AppSettings["ControlDataSchema"]);
}
}
public override MetaType RowType
{
get { return table.RowType; }
}
}
这就是(半)有趣的事情发生的地方。该TableName
属性仍然是我根据我找到的原始文章(之前链接)编写的自定义属性。我需要添加的只是构造函数中的反射,以在表上显式设置表名。
有了这个,我只需要设置我的数据上下文使用来使用这个自定义映射:
using (var db = new BusinessDBContext(ConfigurationManager.ConnectionStrings["BusinessDBConnectionString"].ConnectionString, new CustomAttributeMapping()))