我正在使用UnitOfWork和Repository模式。
// generic repository
public class Repository<T> : where T : class
{
private readonly DbSet<T> _dbSet;
public Repository(DbSet<T> dbSet)
{
this._dbSet = dbSet;
}
public IQueryable<T> Queryable()
{
return this._dbSet.AsQueryable();
}
public IEnumerable<T> All()
{
return this._dbSet.AsEnumerable();
}
public IEnumerable<T> Find(Expression<Func<T, bool>> where)
{
return this._dbSet.Where(where);
}
public T First(Expression<Func<T, bool>> where)
{
return this._dbSet.First(where);
}
public T FirstOrDefault(Expression<Func<T, bool>> where)
{
return this._dbSet.FirstOrDefault(where);
}
public void Add(T entity)
{
this._dbSet.Add(entity);
}
public void Delete(T entity)
{
this._dbSet.Remove(entity);
}
public void Attach(T entity)
{
this._dbSet.Attach(entity);
}
}
// product repository
public class ProductRepository : Repository<Product>
{
public ProductRepository(DbSet<Product> dbSet) : base(dbSet)
{
}
}
// unit of work
public interface IUnitOfWork
{
ProductRepository ProductsRepository { get; }
void Commit();
}
// DbContext as unit of work
public class ApplicationUnitOfWork : DbContext, IUnitOfWork
{
private readonly ProductRepository _productsRepository;
public DbSet<Product> Products { get; set; }
public ApplicationUnitOfWork()
{
_productsRepository = new ProductRepository(Products);
}
#region IUnitOfWork Implementation
public ProductRepository ProductsRepository
{
get { return _productsRepository; }
}
public void Commit()
{
this.SaveChanges();
}
#endregion
}
当我想在数据库中插入产品时,我会这样做:
_unitOfWork.ProductsRepository.Add(new Product());
_unitOfWork.Commit();
这很有效。
我的问题是,如果我在存储库中插入产品,然后在调用.Commit()
之前尝试检索它,则存储库将返回null
。
Product product = new Product { Id = 5 };
_unitOfWork.ProductsRepository.Add(product);
Product theProduct = _unitOfWork.ProductsRepository.FirstOrDefault(p => p.Id == 5);
// theProduct is null
如何更改存储库模式实现(或UnitOfWork),以便它还返回“内存中”对象?
答案 0 :(得分:0)
选项#1 强>
使用Find
方法而不是FirstOrDefault
。看一下this article,了解它的工作原理:
DbSet上的Find方法使用主键值尝试查找 上下文跟踪的实体。如果在实体中找不到实体 然后将上下文查询发送到数据库以查找实体 那里。如果在上下文中找不到实体,则返回Null 在数据库中。查找与使用两个查询不同 重要方法:只有在数据库的往返时才会进行 在上下文中找不到具有给定键的实体。找到意志 返回处于已添加状态的实体。
选项#2 强>
查询本地数据。看看this article。