mongodb官网下载地址 compass下载地址
下载完成后zip解压
storage:
#The directory where the mongod instance stores its data.Default Value is "\data\db" on Windows.
dbPath: D:\env\mongodb4.0.28\data\db
- 启动
- mongod --config …/conf/mongod.conf
基本使用命令
# 如果没有testdb这个库就创建,有的话就选择
use testdb
# 查看有哪些库( use db 创建一个空库,这个库在内存中即使创建了也看不见,除非给这个库添加一个集合)
show dbs
# 显示当前的数据库
db
# 删库
db.dropDatabase()
# 查看集合
show collections
# 删除集合 comment为集合名称
db.comment.drop()
# 没有comment集合会隐式创建,再在该集合下插入数据
# 插入单条json
db.comment.insert({
"id": 208,
"userId": 616,
"content": "把具体",
"createTime": "2022-02-22 13:17:00",
"articleId": 166,
"replyId": 0,
"replyNo": 0,
"head": "http://andiver-master.oss-cn-beijing.aliyuncs.com/2021/01/07/1609983433352.jpg",
"nickname": "91"
})
# 插入多条json (可以写try catch)
db.comment.insertMany([ {json1}, {json2} ] )
# 查询文档数据
db.comment.find()
# 查询文档数据带参数
db.comment.find({id:208})
# 查询只需要返回第一条数据
db.comment.findOne({id:208})
# 筛选返回字段,第一个json为查询条件,第二个json为返回字段
# 查询ID为208的评论,返回字段只需要createTime,nickname
db.comment.find({id: 208}, {createTime:1, nickname:1 })
# 将ID为208的评论的content修改为'基操勿6'
db.comment.updateOne({id: 208},{$set:{content:'基操勿6'}})
# 删除ID为206的评论数据
db.comment.deleteOne({id:206})
# 获取articleId为166的评论数据条数
db.comment.countDocuments({articleId:166})
# 获取前两条数据
db.comment.find().limit(2)
# 跳过前两条数据
db.comment.find().skip(2)
# 分页
db.comment.find().skip(10).limit(10)
#根据id降序 (1:是升序,-1:是降序)
db.comment.find().sort({id:-1})
|