列出所有数据库
show dbs
使用/新建
use 数据库
查看在哪个数据库里
db
插入/db.一个集合名字,集合自动创建。
db.student.insert({"name":"xiaoming"});
查看集合
show collections
查找全部
db.student.find();
查找
db.student.find({"age":12});
如果真的想把这个数据库创建成功,那么必须插入一个数据。
数据库中不能直接插入数据,只能往集合(collections)中插入数据。不需要创建集合,只需要写点语法:
|   1 db.student.insert({“name”:”xiaoming”});  | 
db.student 系统发现student是一个陌生的集合名字,所以就自动创建了集合。
删除数据库,删除当前所在的数据库
|   1 db.dropDatabase();  | 
插入数据,随着数据的插入,数据库创建成功了,集合也创建成功了。
|   1 db.student.insert({"name":"xiaoming"});  | 
我们不可能一条一条的insert。所以,我们希望用sublime在外部写好数据库的形式,然后导入数据库:
|   1 mongoimport --db test --collection restaurants --drop --file primer-dataset.json  | 
-db test 想往哪个数据库里面导入
--collection restaurants 想往哪个集合中导入
--drop 把集合清空
--file primer-dataset.json 哪个文件
这样,我们就能用sublime创建一个json文件,然后用mongoimport命令导入,这样学习数据库非常方便。
查找数据,用find。find中没有参数,那么将列出这个集合的所有文档:
|   1 db.restaurants.find()  | 
精确匹配:
|   1 db.student.find({"score.shuxue":70});  | 
多个条件:
|   1 db.student.find({"score.shuxue":70 , "age":12})  | 
大于条件:
|   1 db.student.find({"score.yuwen":{$gt:50}});  | 
或者。寻找所有年龄是9岁,或者11岁的学生
|   1 db.student.find({$or:[{"age":9},{"age":11}]});  | 
查找完毕之后,打点调用sort,表示升降排序。
|   1 db.restaurants.find().sort( { "borough": 1, "address.zipcode": 1 } )  | 
修改里面还有查询条件。你要该谁,要告诉mongo。
查找名字叫做小明的,把年龄更改为16岁:
|   1 db.student.update({"name":"小明"},{$set:{"age":16}});  | 
查找数学成绩是70,把年龄更改为33岁:
|   1 db.student.update({"score.shuxue":70},{$set:{"age":33}});  | 
更改所有匹配项目:"
By default, the update() method updates a single document. To update multiple documents, use the multi option in the update() method.
|   1 db.student.update({"sex":"男"},{$set:{"age":33}},{multi: true});  | 
完整替换,不出现$set关键字了:
|   1 db.student.update({"name":"小明"},{"name":"大明","age":16});  | 
|   1 db.restaurants.remove( { "borough": "Manhattan" } )  | 
By default, the remove() method removes all documents that match the remove condition. Use the justOne option to limit the remove operation to only one of the matching documents.
|   1 db.restaurants.remove( { "borough": "Queens" }, { justOne: true } )  | 
原文:http://www.cnblogs.com/binperson/p/5699451.html