点表示法访问MongoDB查询结果(BsonDocuments)在c#中
本文关键字:BsonDocuments 结果 表示 访问 MongoDB 查询 | 更新日期: 2023-09-27 18:17:32
如何访问c#中的MongoCursor属性
我有下面的代码行:
MongoCursor results = collection.Find(searchQuery).SetLimit(10).SetFields(
Fields.Include("name1","name", "_id"));
MongoDB返回一个数组,每个数组有两个属性:name和name1。在调试器的结果视图中,我可以看到一个数组,数组中的每一项都包含一个MongoDB.Bson.BsonDocument
。
我想有一个点符号访问数组中每个BsonDocument的属性。我怎样才能做到这一点?
当我不得不处理原始BsonDocuments时遇到了这个问题。这个解决方案允许你使用点表示法。
还没有完全测试过,但可能有用。
void Main()
{
var example = new BsonDocument{
{ "customer", new BsonDocument { { "email" , "homerjay@simpsons.com" } }}
};
var email = example.GetPath("customer.email").AsString;
Console.WriteLine(email);
}
public static class MongoDbHelper
{
public static BsonValue GetPath(this BsonValue bson, string path)
{
if (bson.BsonType != BsonType.Document)
{
throw new Exception("Not a doc");
}
var doc = bson.AsBsonDocument;
var tokens = path.Split(".".ToCharArray(), StringSplitOptions.RemoveEmptyEntries);
if (tokens.Length == 0 )
{
return doc;
}
if (!doc.Contains(tokens[0]))
{
return BsonNull.Value;
}
if (tokens.Length > 1)
{
return GetPath(doc[tokens[0]], tokens[1]);
}
return doc[tokens[0]];
}
}
要获得BsonDocument
的值,您可以使用GetValue
/TryGetValue
方法或索引器:
foreach (var document in results)
{
var name1 = document.GetValue("name1");
var name = document["name"];
}