web-dev-qa-db-ja.com

キーワードはサポートされていません: 'メタデータ'。? MVC3を使用したEntityFrameworkのSQL接続を使用

Asp.NetMVC3アプリケーションでEntityFramework4を使用しています。私の問題は、Entity Frameworkを使用してデータベースでアクションを実行していることです。これは、正常に機能しています。他の目的のために、SQL接続を使用してデータベースからデータを保存および取得しています。私は得ています

[Keyword not supported: 'metadata']

データベースへの接続中にエラーが発生しました。

これは私のWeb設定です

  <add name="VibrantEntities" connectionString="metadata=res://*/Vibrant.csdl|res://*/Vibrant.ssdl|res://*/Vibrant.msl;provider=System.Data.SqlClient;provider connection string=&quot;data source=KAPS-PC\KAPSSERVER;initial catalog=vibrant;integrated security=True;multipleactiveresultsets=True;App=EntityFramework&quot;" providerName="System.Data.EntityClient" />

私はクラスLibraryを使用しているので、これが私のAppConfigです。

   <section name="entityFramework" type="System.Data.Entity.Internal.ConfigFile.EntityFrameworkSection, EntityFramework, Version=4.3.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" />

   <add name="VibrantEntities" connectionString="metadata=res://*/Vibrant.csdl|res://*/Vibrant.ssdl|res://*/Vibrant.msl;provider=System.Data.SqlClient;provider connection string=&quot;data source=KAPS-PC\KAPSSERVER;initial catalog=vibrant;integrated security=True;multipleactiveresultsets=True;App=EntityFramework&quot;" providerName="System.Data.EntityClient" />
16
Kaps Hasija

ADO.NETの接続文字列(この場合はSqlConnection)は、その形式を取りません。 EntityFrameworkに固有のものを使用しています。 ADO.NETは次のようになります。

"data source=KAPS-PC\KAPSSERVER;initial catalog=vibrant;integrated security=True"

したがって、要約すると、EF用とADO.NET用の2つの別個の接続文字列が必要です。

20
psousa

接続文字列はEntityFrameworkに固有であり、メタデータが含まれています。そこからプロバイダー接続文字列を取得する必要があります。 EntityConnectionStringBuilder を使用してそれを行うことができます:

var efConnectionString = "Your Entity Framework connection string";
var builder = new EntityConnectionStringBuilder(efConnectionString);
var regularConnectionString = builder.ProviderConnectionString;
16

別のオプション(同じものに対する2つの別々の接続文字列以外)は、EntityFrameworkオブジェクトからADO.NET接続文字列を返すメソッドを作成することです。

using System.Data.EntityClient;
using System.Data.SqlClient;
...
private string GetADOConnectionString()
{
    SalesSyncEntities ctx = new SalesSyncEntities(); //create your entity object here
    EntityConnection ec = (EntityConnection)ctx.Connection;
    SqlConnection sc = (SqlConnection)ec.StoreConnection; //get the SQLConnection that your entity object would use
    string adoConnStr = sc.ConnectionString;
    return adoConnStr;
}

(これをクラスライブラリのedmxファイルがある場所に配置します)

(私はこれを http://justgeeks.blogspot.com/2009/11/getting-sqlconnection-from.html から入手しました)

またはさらに良い... SQLConnectionのものが手動SQLクエリである場合は、ExecuteStoredCommandを介してSQLConnectionを完全にスキップします。

new AdventureEntities().ExecuteStoreCommand(
        @"    UPDATE Users
              SET lname = @lname 
              WHERE Id = @id",
        new SqlParameter("lname", lname), new SqlParameter("id", id));

(私はこれを SQL接続を取得するEntity Framework から取得しました

5
Wimpie Ratte