如何对业务代码遵循DRY原则
本文关键字:DRY 原则 代码 业务 | 更新日期: 2023-09-27 18:20:14
考虑以下代码:
public void AddPrice(int exchangeTypeId, decimal price)
{
GoldPrice lastPriceValue = UnitOfWork.GoldPrice.Last(x => x.GoldId == exchangeTypeId);
if (lastPriceValue == null || lastPriceValue.Value != price)
{
UnitOfWork.GoldPrice.Add(
new GoldPrice
{
Id = Guid.NewGuid().ToString(),
EntryDate = DateTime.Now,
Value = price,
GoldId = exchangeTypeId,
}
);
}
else
{
lastPriceValue.EntryDate = DateTime.Now;
}
UnitOfWork.Commit();
}
在上面的代码中,我有一些业务,例如check null,get last price和。。。。所以考虑一下:
public void AddPrice(int exchangeTypeId, decimal price)
{
CurrencyPrice lastPriceValue = UnitOfWork.CurrencyPrice.Last(x => x.CurrencyId == exchangeTypeId);
if (lastPriceValue == null || lastPriceValue.Value != price)
{
UnitOfWork.CurrencyPrice.Add(
new CurrencyPrice
{
Id = Guid.NewGuid().ToString(),
EntryDate = DateTime.Now,
Value = price,
CurrencyId = exchangeTypeId,
}
);
}
else
{
lastPriceValue.EntryDate = DateTime.Now;
}
UnitOfWork.Commit();
}
我有两个函数有完全相同的业务。如果业务发生变化,我应该更改每个添加价格函数。那么我如何才能遵循业务代码的DRY原则呢?
您可以重构出一组基本的抽象来获取价格。
public interface IPrice
{
string Id { get; set; }
DateTime EntryDate { get; set; }
decimal Value { get; set; }
int ExchangeTypeId { get; set; }
}
public interface IUnitOfWork<T>
where T: IPrice
{
T GetLatest(int exchangeTypeId);
void Add(T price);
void Commit();
}
public interface IUnitOfWorkFactory
{
void Register<T>() where T: IPrice;
IUnitOfWork<T> Get<T>() where T: IPrice;
}
public void AddPrice<T>(int exchangeTypeId, decimal price)
where T: IPrice, new()
{
IUnitOfWork<T> unitOfWork = _unitOfWorkFactory.Get<T>();
IPrice lastPriceValue = unitOfWork.GetLatest(exchangeTypeId);
if (lastPriceValue == null || lastPriceValue.Value != price)
{
unitOfWork.Add(
new T
{
Id = Guid.NewGuid().ToString(),
EntryDate = DateTime.Now,
Value = price,
ExchangeTypeId = exchangeTypeId,
});
}
else
{
lastPriceValue.EntryDate = DateTime.Now;
}
unitOfWork.Commit();
}
看看战略模式。