Entity Framework はobject-relational mapping フレームワークで、データをオブジェクトとして扱うために使われます。Visual Studio のADO.NET Entity Data Model ウィザードを実行するとEntity Model を作成できますが、このモデルファーストアプローチでは、データソースに変更があった場合やエンティティ操作をより制御したい場合は不都合があります。この記事では、CData ADO.NET Provider を使いコードファーストアプローチでMarkLogic にアクセスします。
- Visual Studio を起動し、新しいWindows Form アプリケーションを作成します。ここでは、.NET 4.5 のC# プロジェクトを使います。
- Visual Studio の [パッケージ マネージャー コンソール]から'Install-Package EntityFramework' コマンドを実行し、最新のEntity Framework をインストールします。
- プロジェクトのApp.config ファイルを修正して、MarkLogic Entity Framework 6 アセンブリおよびコネクションストリングへの参照を追加します。
User、Password、および Server に、アカウントの認証情報と接続するサーバーのアドレスを設定します。また、REST Server Port を指定する必要があります。
<configuration>
... <connectionStrings>
<add name="MarkLogicContext" connectionString="Offline=False;User='myusername';Password='mypassword';Server='http://marklogic';" providerName="System.Data.CData.MarkLogic" />
</connectionStrings>
<entityFramework>
<providers>
... <provider invariantName="System.Data.CData.MarkLogic" type="System.Data.CData.MarkLogic.MarkLogicProviderServices, System.Data.CData.MarkLogic.Entities.EF6" />
</providers>
<entityFramework>
</configuration>
</code>
- インストールディレクトリの[lib] > 4.0 サブフォルダにあるSystem.Data.CData.MarkLogic.Entities.EF6.dll を設定し、プロジェクトを作成してEntity Framework 6 を使うためのセットアップを完了します。
-
この時点でプロジェクトを作成し、すべてが正しく動作していることを確認してください。これで、Entity Framework を使ってコーディングを開始できます。
- プロジェクトに新しい.cs ファイルを追加し、そこにクラスを追加します。これがデータベースのコンテキストとなり、DbContext クラスを拡張します。この例では、クラス名はMarkLogicContext です。以下のサンプルコードは、OnModelCreating メソッドをオーバーライドして次の変更を加えます:
- PluralizingTableNameConvention をModelBuilder Conventions から削除。
- MigrationHistory テーブルへのリクエストを削除。
using System.Data.Entity;
using System.Data.Entity.Infrastructure;
using System.Data.Entity.ModelConfiguration.Conventions;
class MarkLogicContext :DbContext {
public MarkLogicContext() { }
protected override void OnModelCreating(DbModelBuilder modelBuilder) { // To remove the requests to the Migration History table
Database.SetInitializer<MarkLogicContext>(null); // To remove the plural names modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
}
}
- もう一つ.cs ファイルを作成し、ファイル名を呼び出そうとしているMarkLogic のエンティティ、例えばCustomer にします。このファイルでは、エンティティとエンティティ設定の両方を定義します。以下に例を示します。
using System.Data.Entity.ModelConfiguration;
using System.ComponentModel.DataAnnotations.Schema;
public class Customer {
[DatabaseGeneratedAttribute(DatabaseGeneratedOption.Identity)]
public System.String Id { get; set; }
public System.String Name { get; set; }
}
public class CustomerMap :EntityTypeConfiguration<Customer> {
public CustomerMap() {
this.ToTable("Customer");
this.HasKey(Customer => Customer.Id);
this.Property(Customer => Customer.Name);
}
}
- エンティティの作成が済んだので、コンテキストクラスにエンティティを追加します:
public DbSet<Customer> Customer { set; get; }
- コンテキストとエンティティの作成が完了したら、別クラスでデータをクエリできます。例:
MarkLogicContext context = new MarkLogicContext();
context.Configuration.UseDatabaseNullSemantics = true;
var query = from line in context.Customer select line;