參考網(wǎng)址:https://www.cnblogs.com/pasoraku/p/9634946.html
一 安裝MongoDB
官網(wǎng)按需下載, 安裝, 一步到位.
二 VS創(chuàng)建新項目
創(chuàng)建一個.netcore console項目, 然后nuget安裝驅動MongoDB.Driver
三 建立連接
在Program.Main函數(shù)中添加代碼
var client = new MongoClient("mongodb://127.0.0.1:27017"); var database = client.GetDatabase("foo"); var collection = database.GetCollection<BsonDocument>("bar");
三個對象, client是連接數(shù)據(jù)庫的客戶端, database對應庫, collection是對象集合.
對對象的操作是爭對collection來的.
四 操作
1> 插入#
var document = new BsonDocument { { "name", "測試數(shù)據(jù)1" }, { "type", "大類" }, { "number", 5 }, { "info", new BsonDocument { { "x", 111 }, { "y", 222 } }} }; collection.InsertOne(document);
同理還有InsertMany(), 鑒于VS高超的智能提示, 一目了然.
2> 查找#
上一步插入之后, 通過find將它查找出來
find()需要一個filter參數(shù), 根據(jù)條件查詢
collection.Find(Builders<BsonDocument>.Filter.Empty);
上述表示無條件查詢, matches everything.
如果有條件的話, 可以從Builders<BsonDocument>.Filter中選擇, 比如Eq為相等, Lt為小于, Gt大于...顧名思義. 基于VS強大的智能提示, 非常清晰.
舉例條件查詢:
collection.Find(Builders<BsonDocument>.Filter.Eq("name", "測試數(shù)據(jù)1") & Builders<BsonDocument>.Filter.Lt("number", 6));
多項條件之間的與或關系, 對應使用&和|符號
3> 更新#
collection.UpdateMany(Builders<BsonDocument>.Filter.Eq("name", "測試數(shù)據(jù)1"), Builders<BsonDocument>.Update.Set("number", 6));
更新使用UpdateMany(), 同樣支持條件從Builders<BsonDocument>.Filter中獲取.
更新支持添加新的field, 如:
collection.UpdateMany(Builders<BsonDocument>.Filter.Eq("name", "測試數(shù)據(jù)1"), Builders<BsonDocument>.Update.Set("number2", 666));
4> 刪除#
collection.DeleteMany()
其他幾個API大同小異
五?BsonDocument到自定義class Object的相互轉換
不要引入Json.Net(Newtonsoft.Json)
1> 自定義類型到BsonDocument#
擴展函數(shù):
entity.ToBsonDocument()
2>?BsonDocument到自定義類型#
通常是在Find的時候吧, IFindFluent.As<TEntity>()轉就可以了.?
var result = collection .Find((Builders<BsonDocument>.Filter.Lt("number",999) & Builders<BsonDocument>.Filter.Gt("number", 110)) & Builders<BsonDocument>.Filter.Eq("name", "測試數(shù)據(jù)1"))
.OrderBy(x=>x["number"])//排序 .Skip(10)//跳過 .Limit(10)//限制
.As<Bar>()//m=>o .ToList();//像極了Linq吧?
如果不是呢?
var entity = BsonSerializer.Deserialize<Bar>(bson);
用到的自定義class大概長這樣:
public class Bar { public ObjectId _id { get; set; } public string name { get; set; } public string type { get; set; } public int number { get; set; } public int number2 { get; set; } public BarInfo info { get; set; } public class BarInfo { public int x { get; set; } public int y { get; set; } } }
?
小感想:
mongodb對程序員是極友好的, 可以動態(tài)變化的結構, 讓程序員不再害怕頻繁變動的需求.?
?
本文摘自 :https://www.cnblogs.com/