私はLINQto SQLを初めて使用し、コードを再利用できるように、基本的なCreate、Read、Update、およびDestroy(CRUD)メソッド用の汎用データアクセスオブジェクト(DAO)を作成しようとしています。以下のコードを使用してエンティティを削除するジェネリックメソッドの作成に成功しましたが、すべてのテーブルに存在する共通のIDフィールドでエンティティを選択するジェネリックメソッドを作成する方法を誰かが知っているかどうか疑問に思いました。
/// <summary>
/// Generic method that deletes an entity of any type using LINQ
/// </summary>
/// <param name="entity"></param>
/// <returns>bool indicating whether or not operation was successful</returns>
public bool deleteEntity(Object entity)
{
try
{
DomainClassesDataContext db = new DomainClassesDataContext();
db.GetTable(entity.GetType()).Attach(entity);
db.GetTable(entity.GetType()).DeleteOnSubmit(entity);
db.SubmitChanges();
return true;
}
catch(Exception ex)
{
Console.WriteLine(ex.StackTrace);
return false;
}
}
同じパターンが更新と挿入に機能すると確信しており、エンティティIDに基づいて任意のエンティティ(つまり、顧客、請求書、WorkOrderなど)を取得するGenericDAOの汎用メソッドが必要です。返信ありがとうございます。
私はあなたが探していると思います リポジトリパターン 、以下はそれの簡単な実装です:
まず、次のようなインターフェースIRepository
を作成する必要があります。
public interface IRepository<T> where T : class
{
void Add(T entity);
void Delete(T entity);
void Update(T entity);
IEnumerable<T> All();
...
}
次に:
public class Repository<T> : IRepository<T>
where T : class, IEntity
{
DataContext _db;
public Repository()
{
_db = new DataContext("Database string connection");
_db.DeferredLoadingEnabled = false;
}
public void Add(T entity)
{
if (!Exists(entity))
GetTable.InsertOnSubmit(entity);
else
Update(entity);
SaveAll();
}
public void Delete(T entity)
{
GetTable.DeleteOnSubmit(entity);
SaveAll();
}
public void Update(T entity)
{
GetTable.Attach(entity, true);
SaveAll();
}
System.Data.Linq.Table<T> GetTable
{
get { return _db.GetTable<T>(); }
}
public IEnumerable<T> All()
{
return GetTable;
}
}
次に:
public class CustomerRepository : Repository<Customer>
{
public ProductRepository()
: base()
{
}
}
次に、次のようなものを使用できます。
Customer newCustomer = new Customer { FistName = "Foo", LastName = "Boo" };
_customerRepository.Add(newCustomer);
ここで、Customer
は、.dbml
で定義されているデータベースにマップされたエンティティです。これはほんの始まりに過ぎません。詳細については、以下を参照してください。