20

私はリポジトリパターンのいくつかの実装を見てきました。これは非常にシンプルで直感的で、リンクされたフォームの他の回答がスタックオーバーフローにあります

http://www.codeproject.com/Tips/309753/Repository-Pattern-with-Entity-Framework-4-1-and-C http://www.remondo.net/repository-pattern-example-csharp/

public interface IRepository<T>
{
    void Insert(T entity);
    void Delete(T entity);
    IQueryable<T> SearchFor(Expression<Func<T, bool>> predicate);
    IQueryable<T> GetAll();
    T GetById(int id);
}

public class Repository<T> : IRepository<T> where T : class, IEntity
{
    protected Table<T> DataTable;

    public Repository(DataContext dataContext)
    {
        DataTable = dataContext.GetTable<T>();
    }
...

単体テストを行うときにメモリから動作するように設定するにはどうすればよいですか? メモリ内の何かから DataContext または Linq テーブルを構築する方法はありますか? 私の考えは、コレクション(リスト、ディクショナリ...)を作成し、単体テスト時にそれをスタブすることでした。

ありがとう!

編集:私はこのようなものが必要です:

  • 私はクラスブックを持っています
  • クラスライブラリがあります
  • コンストラクターで、Libraryリポジトリを初期化します。

    var bookRepository = new Repository<Book>(dataContext)

  • そして、Libraryメソッドはこのようにリポジトリを使用します

    public Book GetByID(int bookID)
    { 
        return bookRepository.GetByID(bookID)
    }
    

テストするときは、メモリ コンテキストを提供したいと考えています。本番環境では、実際のデータベース コンテキストを提供します。

4

1 に答える 1

30

MoqRhinoMocksなどのモッキング ライブラリを使用することをお勧めします。Moq を使用した優れたチュートリアルは、ここにあります。

どちらを使用するかを決定する前に、次のことが役立つ場合があります。

追加情報: 単体テスト フレームワークの比較については、こちらを参照してください。


OPのリクエストに続くUPDATE

インメモリ データベースを作成する

var bookInMemoryDatabase = new List<Book>
{
    new Book() {Id = 1, Name = "Book1"},
    new Book() {Id = 2, Name = "Book2"},
    new Book() {Id = 3, Name = "Book3"}
};

リポジトリをモックします (次の例では Moq を使用しました)

var repository = new Mock<IRepository<Book>>();

リポジトリをセットアップする

// When I call GetById method defined in my IRepository contract, the moq will try to find
// matching element in my memory database and return it.

repository.Setup(x => x.GetById(It.IsAny<int>()))
          .Returns((int i) => bookInMemoryDatabase.Single(bo => bo.Id == i));

モックオブジェクトをコンストラクターパラメーターに渡してライブラリオブジェクトを作成します

var library = new Library(repository.Object);

そして最後にいくつかのテスト:

// First scenario look up for some book that really exists 
var bookThatExists = library.GetByID(3);
Assert.IsNotNull(bookThatExists);
Assert.AreEqual(bookThatExists.Id, 3);
Assert.AreEqual(bookThatExists.Name, "Book3");

// Second scenario look for some book that does not exist 
//(I don't have any book in my memory database with Id = 5 

Assert.That(() => library.GetByID(5),
                   Throws.Exception
                         .TypeOf<InvalidOperationException>());

// Add more test case depending on your business context
.....
于 2013-07-27T21:25:50.530 に答える