MongoDB

OverView.png

基本知识;

document database

MongoDB RDBMS
database database
collection table
document row
_id primary key

_id:12‐byte hexademical value 4+3+2+3
时间戳 + 机器标识符 + 进程 + 随机数
documents may have different structures,while records/rows in RDBMS have the same schema

MongDB 命令行使用

1.mongod   => connecting to: mongodb://127.0.0.1:27017
2.mongo

命令行的常用操作

show databases                      查看所有数据库
db                                      查看当前数据库
use db_name                             切换数据库,若数据库不存在则创建,但必须插入数据后,才能算真正将此数据库映射到文件中
db.dropDatabase()                   删除当前数据库
show collections/tables             查看当前数据库下的collection  
db.getCollectionNames()             等价于show collections
db.createCollection('clc_name')     创建一个collection
db.clc_name.drop()                  删除collection_name

DML

db.person.insert({"_id": 1, "name": "john smith"})
使用ObjectId()生成一个id
db.person.insert({"_id": ObjectId(), "name": "john smith"})
id会自动创建
db.person.insert({"name": "john smith"}) 
插入多条数据,其实insert也可以实现
db.person.insertMany([{"name": "kevin small", "age": 35, "scores":[5, 6, 3]}, {"name": "mary lou", "age": 25, "scores":[5,8,2]} ])


插入数据的模式:
db.clc_name.insert(doc)
db.clc_name.insertMany([doc1,doc2,...])
doc格式
{k:v,k:v}


更新数据的格式  $set  添加属性
db.clc_name.update({条件},{$set:{ 更新的属性 }}, {multi:true},{upsert:true})
如果条件为空,则为更新所有的document

$unset 删除属性
db.person.update({}, {$unset: {"status": ""}},
{multi: true})


删除所有的docs
db.person.remove({})
删除指定条件的docs
db.person.remove( { "age": {$gt: 30} } )

DQL

db.person.find()
db.person.find({"name": "kevin small"}) 
db.person.find().pretty()
db.person.find().sort({age:‐1})   1正序 
db.person.find().skip(1).limit(1)
db.person.count()

db.person.distinct("age")  # 返回一个array  [1,2,3] 
db.person.distinct("age").length



查找运算符 $ 
Comparison operators  $lt, $gt, $lte, $gte, $ne, $in, $all
Logical operators     $or, $and, $not
Pattern matching      /pattern/

$exists 表示存在
db.person.find({name: {$not: /john/i,$exists:true}}) 

db.person.find({$or: [{cond1},{cond2}...}]})
db.person.find({$and: [{cond1},{cond2}...]})
db.person.find({age:{$gt: 25, $lt: 35}})

db.person.find({scores: {$all: [2, 5]}})
db.person.find({scores: {$in : [2, 5]}})

$elemMatch 表示元素对应
db.person.find({scores: {$elemMatch: {"midterm": "B", "score": {$gt: 90}}}}) 



关于投影
db.person.find({检查内容}, { 投影属性})  1:取  0:不取

查找子属性,必须要加上“”
db.person.find({"address.city": "LA"})


聚合函数的使用

格式
db.product(
{$match:{xx}}  <-- 对应的是where
{$group: {_id: {cat: "$category", st: "$store"}, total:{$sum:"$qty"}}} <- 对应group by,
{$match: {xx}},  <-- 对应having
{$limit: x},        
{$sort: {xx}},
{$project:{xx}}
)

$match ‐> $group ‐> $match ‐> $limit ‐> $sort

索引的使用

Useful for searching and sorting results

db.users.getIndexes() 获取当前collection的索引
db.users.createIndex({score: 1}) 创建score的索引 1表示正序
db.users.createIndex({ssn: 1}, {unique: true}) 唯一索引
db.users.dropIndex(index_name) 删除索引

你可能感兴趣的:(MongoDB)