有没有更好的方法来概括具有相同属性的 dbSet - Entity Framework

Is there a better way to generalize dbSet with the same attribute - Entity Framework

我有一个共同的模式

bool doesLinkExist = await [DBSet]
.AnyAsync(model => model.PartId == parameters.PartId).ConfigureAwait(false);

if(doesLinkExist)
   throw exception (which has different messages)

[DBSet]=>Table 在数据库中。

如果我创建一个方法,传递异常消息真的很容易,但数据库集似乎是问题所在,因为代码不知道不同 [DBset] 中有 PartId 列s/tables

有什么方法可以绕过这个问题并创建一个通用方法?

编辑:简而言之,我想将 [DBSet] 作为参数传递

这是我希望此方法看起来像的方式

private Task CheckLinkExistAsync(int idForLookUp, string errorMsg, DBSet table, CancellationToken cancellationToken)
{
  bool LinkExist = await table.AnyAsync(model => model.Id == idForLookUp, cancellationToken).ConfigureAwait(false);

  if(LinkExist)
     throw exception (which has different messages)
}

创建一个接受 Func 作为参数的方法可能正是您要寻找的。


        private async Task<IActionResult> CheckLinkExistsAsync(int id, string errorMessage, Func<Task<T>> func)
        {
            bool exists = await _modelRepository.Any(x => x.Id == id);

            if (exists)
            {
                return await func();
            }
            throw new Exception(errorMessage);
        }

之后就可以这样消费了

await CheckLinkExistsAsync(1, "Custom Error Message", async () => {
  // DO STUFF AND RETURN
  var t = new T();
  return t;
});

我尝试了很多不同的方法(使用 dynamic 或 DbSet< T>),但我认为我不只是在 ID 上进行过滤,所以这就是为什么我可以只传递一个 List<int> 和对其进行过滤

private void CheckLinkExistsAsync(int partId, string errorMessage, List<int> idsToLookup)
    {
        bool exists = idsToLookup.Any(id => id == partId);
        if(exists)
            throw new Exception(errorMessage);
    }

我这样称呼它

CheckLinkExistsAsync(parameters.PartId, "ExceptionMessage",
                await Db.Table.Select(model => model.PartId).ToListAsync(cancellationToken).ConfigureAwait(false));