5

(这曾经是一个由两部分组成的问题,但由于第二部分确实很重要,因此我决定将其分成两个单独的帖子。请参阅使用序列化在实体框架中的两个 ObjectContexts 之间复制实体了解第二部分。

我想为我的实体模型创建一个相当通用的数据库“克隆”。此外,我可能需要支持不同的提供商等。我正在使用ObjectContextAPI。

我已经知道这个问题EntityConnectionStringBuilder MDSN 文档Provider示例,但我需要知道是否有一种编程方式来获取值以Metadata初始化EntityConnectionStringBuilder?

using (var sourceContext = new EntityContext()) {
    var sourceConnection = (EntityConnection) sourceContext.Connection;
    var targetConnectionBuilder = new EntityConnectionStringBuilder();

    targetConnectionBuilder.ProviderConnectionString = GetTargetConnectionString();
    targetConnectionBuilder.Provider = "System.Data.SqlClient"; // want code
    targetConnectionBuilder.Metadata = "res://*/EntityModel.csdl|res://*/EntityModel.ssdl|res://*/EntityModel.msl"; // want code

    using (var targetContext = new EntityContext(targetConnectionBuilder.ConnectionString)) {
        if (!targetContext.DatabaseExists())
            targetContext.CreateDatabase();

        // how to copy all data from the source DB to the target DB???
    }
}

也就是说,有没有办法获取

  • "System.Data.SqlClient"
  • "res://*/EntityModel.csdl|res://*/EntityModel.ssdl|res://*/EntityModel.msl"

从某个地方而不使用文字值?

4

1 回答 1

1

元数据

您应该能够使用res://*/来告诉 Entity Framework 在调用程序集中搜索所有 .csdl、.ssdl 和 .msl 文件。或者,用于res://assembly full name here/在特定程序集中搜索。请注意,这两种语法都将加载所有找到的文件,直到您在同一个程序集中有多个 .edmx 文件时才能正常工作,从而产生多个 CSDL/SSDL/MSL 文件(.edmx 文件基本上是这三个文件的串联)。有关MSDN的更多信息。

如果您想要更多控制,请使用Assembly.GetManifestResourceNames列出给定程序集中的所有资源,并将 .csdl/.ssdl/.msl 资源手动匹配在一起,然后根据这些资源名称手动构建元数据字符串。

提供者

提供者可以在根节点的 Provider 属性的 SSDL 文件中找到。获得正确的文件名后,GetManifestResourceStream以 XML 格式使用和读取文件。代码应如下所示:

using (var stream = assembly.GetManifestResourceStream("EntityModel.ssdl")) {
  XDocument document = XDocument.Load(stream);
  string provider = document.Root.Attribute("Provider").Value;
}
于 2012-09-26T15:32:20.507 回答