我正在使用C#MongoDB驱动程序2.0进行NearSphere查询,它运行正常。 结果按距离自动排序,但我希望为每个搜索结果返回该距离,以便能够显示回来。 我发现这篇文章说明如何为旧版本的驱动程序Retrieving the Distance "dis" result from a Near query执行此操作,但未能找到如何使用新驱动程序执行此操作。
这是我的代码:
var collection = database.GetCollection<MyType>("myTypes");
var locFilter = Builders<MyType>.Filter.NearSphere(x => x.GeoLocation, criteria.Long, criteria.Lat, criteria.RadiusInMiles/3963.2);
var results = await collection.Find(locFilter).ToListAsync();
我想在IFindFluent结果上调用ToList之前我必须做些什么?
任何帮助?
非常感谢
答案 0 :(得分:6)
C#MongoDB驱动程序缺少一些操作,但实际情况是查询数据库没有任何限制。 Project,Match等方法只是帮助构建一个像其他任何一个一样完全是BsonDocument的PipeLine。
我不得不使用与您类似的方法从C#查询数据库:
db.mycoll.aggregate(
[ { $geoNear :
{ near : { type : "Point", coordinates : [-34.5460069,-58.48894900000001] },
distanceField : "dist.calculated", maxDistance : 100,
includeLocs : "dist.location",
num : 5, spherical : true }
} ,
{ $project : {_id: 1, place_id:1, name:1, dist:1} }
] ).pretty()
如您所知,不是在驱动程序中构建它的geoNear方法,因此您只需创建BsonDocument即可。 为了向您展示可以以这种方式构建所有内容,请在C#中查找不使用项目clausule的示例查询,我是从BsonDocument构建的。您可以根据需要将BsonDocument推送到管道中。
var coll = _database.GetCollection<UrbanEntity>("mycoll");
var geoNearOptions = new BsonDocument {
{ "near", new BsonDocument {
{ "type", "Point" },
{ "coordinates", new BsonArray {-34.5460069,-58.48894900000001} },
} },
{ "distanceField", "dist.calculated" },
{ "maxDistance", 100 },
{ "includeLocs", "dist.location" },
{ "num", 5 },
{ "spherical" , true }
};
var projectOptions = new BsonDocument {
{ "_id" , 1 },
{ "place_id", 1 },
{ "name" , 1 },
{ "dist", 1}
};
var pipeline = new List<BsonDocument>();
pipeline.Add( new BsonDocument { {"$geoNear", geoNearOptions} });
pipeline.Add( new BsonDocument { {"$project", projectOptions} });
using(var cursor = await coll.AggregateAsync<BsonDocument>(pipeline)) {
while(await cursor.MoveNextAsync()) {
foreach (var doc in cursor.Current) {
// Here you have the documents ready to read
}
}
}
我希望它有所帮助。