FindAll in MongoDB .NET Driver 2.0
本文关键字:Driver NET in MongoDB FindAll | 更新日期: 2023-09-27 17:56:00
我想使用 MongoDB
.NET Driver 2.0 查询我的 MongoDB 集合,没有任何过滤器,但我没有找到方法。我有以下解决方法,但看起来很奇怪:D
var filter = Builders<FooBar>.Filter.Exists(x => x.Id);
var fooBars = await _fooBarCollection.Find(filter)
.Skip(0)
.Limit(100)
.ToListAsync();
有没有办法在MongoDB .NET Driver 2.0中发出没有过滤器的查询?
如果没有过滤器,则无法使用Find
。
但是,您可以使用传递所有内容的过滤器:
var findFluent = await _fooBarCollection.Find(_ => true);
或者,您可以使用等效的空文档:
var findFluent = await _fooBarCollection.Find(new BsonDocument());
他们还添加了一个空过滤器,但它仅在较新版本的驱动程序中可用:
var findFluent = await _fooBarCollection.Find(Builders<FooBar>.Filter.Empty);
FindAll() 是 MongoDB 1x 系列驱动程序的一部分。 要在 2x 系列驱动程序中获得相同的功能,请使用带有空 BSON 文档的 find()。
var list = await collection.Find(new BsonDocument()).ToListAsync();
foreach (var dox in list)
{
Console.WriteLine(dox);
}
参考
若要匹配所有元素,可以使用 FilterDefinitionBuilder.Empty
属性。当用户可以选择查询整个集合或按单个属性进行筛选时,我会使用此属性。
如果只想查询整个集合,而不能使用筛选器,则没有必要。
var builder = Builders<Object>.Filter;
matchFilter;
FilterDefinition<Object> matchFilter = builder.Empty;
var results = await collection.Aggregate()
.Match(filter)
.ToListAsync()
它
对我有用
public class TestProductContext
{
MongoClient _client;
IMongoDatabase _db;
public TestProductContext()
{
_client = new MongoClient("mongodb://localhost:27017");
_db = _client.GetDatabase("EmployeeDB");
}
public IMongoCollection<Product> Products => _db.GetCollection<Product>("Products");
}
public class DataAccess
{
private TestProductContext _testProductContext;
public DataAccess(TestProductContext testProductContext)
{
_testProductContext = testProductContext;
}
public List<Product> GetProducts()
{
List<Product> pto = new List<Product>();
var cursor = _testProductContext.Products.Find(new BsonDocument()).ToCursor();
foreach (var document in cursor.ToEnumerable())
{
pto.Add(document);
}
}
}