MongoDB C# GetById 使用查找

MongoDB C# GetById using Find

public abstract class GenericRepository<T> : IDisposable, IGenericRepository<T> where T : class
{
    protected SphereTripMongoDbContext SphereTripMongoDbContext;
    public IMongoCollection<T> MongoCollection { get; set; }
    protected GenericRepository(SphereTripMongoDbContext sphereTripMongoDbContext)
    {
        SphereTripMongoDbContext = sphereTripMongoDbContext;
        MongoCollection =
            SphereTripMongoDbContext.MongoDatabase.GetCollection<T>(typeof(T).Name);
    }

    public void Dispose()
    {
        throw new NotImplementedException();
    }

    public T GetById(string id)
    {
        var entity = MongoCollection**.Find(t => t.Id == id)**;
        return entity;
    }
}

我正在尝试为 MongoDb 编写一个通用的抽象存储库 class。由于我在基础 class 中使用通用类型,因此当我使用 Find 方法查找文档时,"Id" 不可见。不确定如何解决该问题。

如有任何帮助,我们将不胜感激。

您可以使用 Find 而无需将带类型的 lambda 表达式与 Builders:

一起使用
 var item = await collection
    .Find(Builders<ItemClass>.Filter.Eq("_id", id))
    .FirstOrDefaultAsync();

但是,更可靠的解决方案是使用一些接口来满足您的需求(即 ID),并确保 GenericRepository 仅适用于这些类型:

interface IIdentifiable
{
    string Id { get; }
}

class GenericRepository <T> : ... where T : IIdentifiable
{
    // ...
}

我构建了一个这样的方法:

public ValueTask<T> GetAsync<T>(IQueryable<T> source, object[] keyValues, CancellationToken cancellationToken = default)
    where T : class
{
    if (source == null)
    {
        throw new ArgumentNullException(nameof(source));
    }

    if (keyValues == default)
    {
        throw new ArgumentNullException(nameof(keyValues));
    }

    if (keyValues.Length != 1)
    {
        throw new ArgumentException("Key values must contain exactly one key value", nameof(keyValues));
    }

    var type = typeof(T);
    var classMap = BsonClassMap.LookupClassMap(type);
    if (classMap == default)
    {
        throw new InvalidOperationException($"Class map not found for '{type.Name}'");
    }

    var id = classMap.IdMemberMap;
    if (id == default)
    {
        throw new InvalidOperationException($"Id member not found for '{type.Name}'");
    }

    var filter = Builders<T>.Filter.Eq(id.ElementName, keyValues[0]);
    var collection = Database.GetCollection<T>(type.Name);

    async ValueTask<T> GetAsync()
    {
        var cursor = await collection.FindAsync<T>(filter, default, cancellationToken).ConfigureAwait(false);
        return await cursor.SingleOrDefaultAsync(cancellationToken).ConfigureAwait(false);
    }

    return GetAsync();
}