1.mongodb特性
1)mongo是一個面向文檔的數據庫,它集合了nosql和sql數據庫兩方面的特性。
2)所有實體都是在首次使用時創建。
3)沒有嚴格的事務特性,但是它保證任何一次數據變更都是原子性的。
4)也沒有固定的數據模型
5)mongo以javascript作為命令行執行引擎,所以利用shell進行復雜的計算和查詢時會相當的慢。
6)mongo本身支持集群和數據分片
7)mongo是c++實現的,支持windows mac linux等主流操作系統
8)性能優越,速度快
2.mongo常用操作
1.增刪操作
2.更新操作
update是對文檔替換,而不是局部修改默認情況update更新匹配的第一條文檔,multi模式更新所有匹配的
3.查詢操作
-- 普通查詢
-- 模糊查詢
4.操作符
1.$lt, $lte,$gt, $gte(<, <=, >, >= )
2.$all 數組中的元素是否完全匹配 db.things.find( { a: { $all: [ 2, 3 ] } } );
3.$exists 可選:true,false db.things.find( { a : { $exists : true } } );
4.$mod 取模:a % 10 == 1 db.things.find( { a : { $mod : [ 10 , 1 ] } } );
5.$ne 取反:即not equals db.things.find( { x : { $ne : 3 } } );
6.$in 類似於SQL的IN操作 db.things.find({j:{$in: [2,4,6]}});
7.$nin $in的反操作,即SQL的 NOT IN db.things.find({j:{$nin: [2,4,6]}});
8.$nor $or的反操作,即不匹配(a或b) db.things.find( { name : "bob", $nor : [ { a : 1 },{ b : 2 }]})
9.$or Or子句,注意$or不能嵌套使用 db.things.find( { name : "bob" , $or : [ { a : 1 },{ b : 2 }]})
10.$size 匹配數組長度 db.things.find( { a : { $size: 1 } } );
11.$type 匹配子鍵的數據類型,詳情請看 db.things.find( { a : { $type : 2 } } );
5.數組查詢
$size 用來匹配數組長度(即最大下標)
// 返回comments包含5個元素的文檔
db.posts.find({}, {comments:{‘$size': 5}});
// 使用冗余字段來實現
db.posts.find({}, {‘commentCount': { ‘$gt': 5 }});
$slice 操作符類似於子鍵篩選,只不過它篩選的是數組中的項
// 僅返回數組中的前5項
db.posts.find({}, {comments:{‘$slice': 5}});
// 僅返回數組中的最後5項
db.posts.find({}, {comments:{‘$slice': -5}});
// 跳過數組中的前20項,返回接下來的10項
db.posts.find({}, {comments:{‘$slice': [20, 10]}});
// 跳過數組中的最後20項,返回接下來的10項
db.posts.find({}, {comments:{‘$slice': [-20, 10]}});
MongoDB 允許在查詢中指定數組的下標,以實現更加精確的匹配
// 返回comments中第1項的by子鍵為Abe的所有文檔
db.posts.find( { "comments.0.by" : "Abe" } );
3.索引的使用
1.創建索引
db.things.ensureIndex ({'j': 1});
創建子文檔 索引
db.things.ensureIndex ({'user.Name' : - 1});
創建 復合 索引
db.things.ensureIndex ({
'j' : 1 , // 升序
'x' : - 1 // 降序
});
如果 您的 find 操作只用到了一個鍵,那麼索引方向是無關緊要的
當創建復合索引的時候,一定要謹慎斟酌每個鍵的排序方向
2.修改索引
修改索引,只需要重新 運行索引 命令即可
如果索引已經存在則會 重建, 不存在的索引會被 添加
db . things . ensureIndex ({
--- 原來的索引會 重建
'user.Name ' : - 1 ,
--- 新增一個升序 索引
'user.Name ' : 1 ,
--- 為 Age 新建降序 索引
'user.Age ' : - 1
},
打開後台執行
{ ‘background' : true}
);
重建索引
db. things .reIndex();
3.刪除索引
刪除集合中的所有 索引
db . things . dropIndexes ();
刪除指定鍵的索引
db.things.dropIndex ({
x : 1 ,
y : - 1
});
使用 command 刪除指定鍵的 索引
db.runCommand ({
dropIndexes : 'foo ' ,
index : { y : 1 }
});
使用 command 刪除所有 索引
db . runCommand ({dropIndexes : 'foo ' ,index : '*‘})
如果是刪除集合中所有的文檔(remove)則不會影響索引,當有新文檔插入時,索引就會重建。
4.唯一索引
創建唯一索引,同時這也是一個符合唯一索引
db.things.ensureIndex (
{
'firstName ' : 1 ,
'lastName ' : 1
}, {
指定為唯一索引
'unique ' : true ,
刪除重復 記錄
'dropDups ' : true
});
5、強制使用索引
強制使用索引 a 和 b
db.collection.find ({
'a ' : 4 ,
'b ' : 5 ,
'c ' : 6
}). hint ({
'a ' : 1 ,
'b ' : 1
});
強制不使用任何 索引
db.collection.find ().hint ({
'$ natural' : 1
});
索引總結: