MongoDB增删查改命令

主讲教师:(大地)
 

删除数据库,删除当前所在的数据库

db.dropDatabase();

删除集合,删除指定的集合 删除表

删除集合 db.COLLECTION_NAME.drop()
db.user.drop()

1、查找命令

//查找name等于zhangsan且age等于20的数据
db.user.find("name":"zhangsan","age": 20)
//查找age大于等于24且age小于等于30的记录
db.user.find("age":{$gte:24,$lte:30})

9、查询 name 中包含 mongo 的数据 模糊查询用于搜索
db.userInfo.find({name: /mongo/});//相当于%%
select * from userInfo where name like ‘%mongo%’;

10、查询 name 中以 mongo 开头的
db.userInfo.find({name: /^mongo/});
select * from userInfo where name like ‘mongo%’;


11、查询指定列 name、 age 数据
db.userInfo.find({}, {name: 1, age: 1});、//前一个大括号写查询条件,后一个大括号用于指定某些列进行显示
相当于: select name, age from userInfo;
当然 name 也可以用 true 或 false,当用 ture 的情况下河 name:1 效果一样,如果用 false 就
是排除 name,显示 name 以外的列信息


13、按照年龄排序 1 升序 -1 降序
升序: db.userInfo.find().sort({age: 1});
降序: db.userInfo.find().sort({age: -1});


15、查询前 5 条数据
db.userInfo.find().limit(5);
相当于: selecttop 5 * from userInfo;

16、查询 10 条以后的数据
db.userInfo.find().skip(10);
相当于: select * from userInfo where id not in (
selecttop 10 * from userInfo
);

还可以将skip和limit结合起来使用,可以实现分页
//比如从第0条数据开始,每页查询两条数据
db.userInfo.find().skip(0).limit(2)
db.userInfo.find().skip(2).limit(2)
db.userInfo.find().skip(4).limit(2)


18、 or 与 查询
db.userInfo.find({$or: [{age: 22}, {age: 25}]});
相当于: select * from userInfo where age = 22 or age = 25;


20、查询某个结果集的记录条数 统计数量db.userInfo.find({age: {$gte: 25}}).count();
相当于: select count(*) from userInfo where age >= 20;
如果要返回限制之后的记录数量,要使用 count(true)或者 count(非 0)
db.users.find().skip(10).limit(5).count(true);

2、修改数据

//修改里面还有查询条件。你要改谁,要告诉 mongo。
//查找名字叫做小明的,把年龄更改为 16 岁:
db.student.update({"name":"小明"},{$set:{"age":16}});
//查找数学成绩是 70,把年龄更改为 33 岁:
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.
db.student.update({"sex":"男"},{$set:{"age":33}},{multi: true});
完整替换, 不出现$set 关键字了: 注意(该记录的其它字段会消失,只留下正在设置的字段)
db.student.update({"name":"小明"},{"name":"大明","age":16});
db.users.update({name: 'Lisi'}, {$inc: {age: 50}}, false, true);
相当于: update users set age = age + 50 where name = ‘Lisi’ ;
db.users.update({name: 'Lisi'}, {$inc: {age: 50}, $set: {name: 'hoho'}}, false, true);
相当于: update users set age = age + 50, name = ‘hoho’ where name = ‘Lisi’ ;

3、删除数据

db.collectionsNames.remove( { "borough": "Manhattan" } )
db.users.remove({age: 132});
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.
db.restaurants.remove( { "borough": "Queens" }, { justOne: true } )

猜你喜欢

转载自blog.csdn.net/jiuweideqixu/article/details/86607282