时间:2021-07-01 10:21:17 帮助过:14人阅读
C:\Users\zouqi>mongod --help Options: General options: -h [ --help ] show this usage information --version show version information -f [ --config ] arg configuration file specifying additional options -v [ --verbose ] [=arg(=v)] be more verbose (include multiple times for more verbosity e.g. -vvvvv) --quiet quieter output --port arg specify port number - 27017 by default --bind_ip arg comma separated list of ip addresses to listen on - all local ips by default --ipv6 enable IPv6 support (disabled by default) --maxConns arg max number of simultaneous connections - 1000000 by default --logpath arg log file to send write to instead of stdout - has to be a file, not directory --logappend append to logpath instead of over-writing --logRotate arg set the log rotation behavior (rename|reopen) --timeStampFormat arg Desired format for timestamps in log messages. One of ctime, iso8601-utc or iso8601-local --pidfilepath arg full path to pidfile (if not set, no pidfile is created) --keyFile arg private key for cluster authentication --setParameter arg Set a configurable parameter --httpinterface enable http interface --clusterAuthMode arg Authentication mode used for cluster authentication. Alternatives are (keyFile|sendKeyFile|sendX509|x509) --auth run with security --noauth run without security --jsonp allow JSONP access via http (has security implications) --rest turn on simple rest api --slowms arg (=100) value of slow for profile and console log --profile arg 0=off 1=slow, 2=all --cpu periodically show cpu and iowait utilization --sysinfo print some diagnostic system information --noIndexBuildRetry don‘t retry any index builds that were interrupted by shutdown --noscripting disable scripting engine --notablescan do not allow table scans Windows Service Control Manager options: --install install Windows service --remove remove Windows service --reinstall reinstall Windows service (equivalent to --remove followed by --install) --serviceName arg Windows service name --serviceDisplayName arg Windows service display name --serviceDescription arg Windows service description --serviceUser arg account for service execution --servicePassword arg password used to authenticate serviceUser Replication options: --oplogSize arg size to use (in MB) for replication op log. default is 5% of disk space (i.e. large is good) Master/slave options (old; use replica sets instead): --master master mode --slave slave mode --source arg when slave: specify master as <server:port> --only arg when slave: specify a single database to replicate --slavedelay arg specify delay (in seconds) to be used when applying master ops to slave --autoresync automatically resync if slave data is stale Replica set options: --replSet arg arg is <setname>[/<optionalseedhostlist>] --replIndexPrefetch arg specify index prefetching behavior (if secondary) [none|_id_only|all] Sharding options: --configsvr declare this is a config db of a cluster; default port 27019; default dir /data/configdb --shardsvr declare this is a shard db of a cluster; default port SSL options: --sslOnNormalPorts use ssl on configured ports --sslMode arg set the SSL operation mode (disabled|allowSSL|preferSSL|requireSSL ) --sslPEMKeyFile arg PEM file for ssl --sslPEMKeyPassword arg PEM file password --sslClusterFile arg Key file for internal SSL authentication --sslClusterPassword arg Internal authentication key file password --sslCAFile arg Certificate Authority file for SSL --sslCRLFile arg Certificate Revocation List file for SSL --sslDisabledProtocols arg Comma separated list of TLS protocols to disable [TLS1_0,TLS1_1,TLS1_2] --sslWeakCertificateValidation allow client to connect without presenting a certificate --sslAllowConnectionsWithoutCertificates allow client to connect without presenting a certificate --sslAllowInvalidHostnames Allow server certificates to provide non-matching hostnames --sslAllowInvalidCertificates allow connections to servers with invalid certificates --sslFIPSMode activate FIPS 140-2 mode at startup Storage options: --storageEngine arg (=mmapv1) what storage engine to use --dbpath arg directory for datafiles - defaults to \data\db which is C:\data\db\ based on the current working drive --directoryperdb each database will be stored in a separate directory --noprealloc disable data file preallocation - will often hurt performance --nssize arg (=16) .ns file size (in MB) for new databases --quota limits each database to a certain number of files (8 default) --quotaFiles arg number of files allowed per db, implies --quota --smallfiles use a smaller default file size --syncdelay arg (=60) seconds between disk syncs (0=never, but not recommended) --upgrade upgrade db if needed --repair run repair on all dbs --repairpath arg root directory for repair files - defaults to dbpath --journal enable journaling --nojournal disable journaling (journaling is on by default for 64 bit) --journalOptions arg journal diagnostic options --journalCommitInterval arg how often to group/batch commit (ms) WiredTiger options: --wiredTigerCacheSizeGB arg maximum amount of memory to allocate for cache; defaults to 1/2 of physical RAM --wiredTigerStatisticsLogDelaySecs arg (=0) seconds to wait between each write to a statistics file in the dbpath; 0 means do not log statistics --wiredTigerJournalCompressor arg (=snappy) use a compressor for log records [none|snappy|zlib] --wiredTigerDirectoryForIndexes Put indexes and data in different directories --wiredTigerCollectionBlockCompressor arg (=snappy) block compression algorithm for collection data [none|snappy|zlib] --wiredTigerIndexPrefixCompression arg (=1) use prefix compression on row-store leaf pagesView Code
如果你不喜欢看英文可以网上搜中文帮助介绍。
> show dbs demo 0.078GB local 0.078GB myDatabase 0.078GB >
这个时候我们看到myTest这个数据库是还没有创建的。
> db.persons.insert({name:‘yujie‘}) WriteResult({ "nInserted" : 1 }) >
执行上面语句后才真正创建数据库。
> show dbs demo 0.078GB local 0.078GB myDatabase 0.078GB myTest 0.078GB >
> show collections
persons
system.indexes
>
我们看到多了一个system.indexes文档,这是系统自动创建的一个索引文档,当插入记录的时候,自动创建了一个字段_id,并在这个字段上面创建了索引。我们来查看下索引:
> db.system.indexes.find() { "v" : 1, "key" : { "_id" : 1 }, "name" : "_id_", "ns" : "myTest.persons" } >
> db.persons.insert({name:‘楚留香‘}) WriteResult({ "nInserted" : 1 }) >
查找persons文档中的所有记录
> db.persons.find() { "_id" : ObjectId("593959250ab68d9cc7011a93"), "name" : "yujie" } { "_id" : ObjectId("59395c350ab68d9cc7011a94"), "name" : "楚留香" } >
查找persons文档中的第一条记录
> db.persons.findOne() { "_id" : ObjectId("593959250ab68d9cc7011a93"), "name" : "yujie" } >
这里我们用到了一个update方法,我们来看下它的几个参数分别代表什么
参数1:查询的条件
参数2:更新的字段
参数3:如果不存在则插入
参数4:是否允许修改多条记录
更新name为yujie的记录
> db.persons.update({name:‘yujie‘},{$set:{name:‘玉杰‘}}) WriteResult({ "nMatched" : 1, "nUpserted" : 0, "nModified" : 1 })
查看更新后的记录:
> db.persons.find() { "_id" : ObjectId("593959250ab68d9cc7011a93"), "name" : "玉杰" } { "_id" : ObjectId("59395c350ab68d9cc7011a94"), "name" : "楚留香" }
插入一条测试记录
> db.persons.insert({name:‘test‘})}) WriteResult({ "nInserted" : 1 })
插入后:
> db.persons.find() { "_id" : ObjectId("593959250ab68d9cc7011a93"), "name" : "玉杰" } { "_id" : ObjectId("59395c350ab68d9cc7011a94"), "name" : "楚留香" } { "_id" : ObjectId("593961530ab68d9cc7011a95"), "name" : "test" } >
删除文档中的数据
> db.persons.remove({name:‘test‘}) WriteResult({ "nRemoved" : 1 }) >
删除后结果:
> db.persons.find() { "_id" : ObjectId("593959250ab68d9cc7011a93"), "name" : "玉杰" } { "_id" : ObjectId("59395c350ab68d9cc7011a94"), "name" : "楚留香" } >
查看所有数据库
> show dbs demo 0.078GB foobar 0.078GB local 0.078GB myDatabase 0.078GB myTest 0.078GB >
假设我要删除foobar数据库,先使用use foobar切换到foobar数据库,然后执行 db.dropDatabase(),执行结果如下:
> db.dropDatabase() { "dropped" : "foobar", "ok" : 1 } >
再次查看所有数据库:
> show dbs demo 0.078GB local 0.078GB myDatabase 0.078GB myTest 0.078GB >
里面有所有的shell可以完成的命令帮助,全局的help数据库相关的db.help(),集合相关的db.[documentName].help()
db.help()
> db.help() DB methods: db.adminCommand(nameOrDocument) - switches to ‘admin‘ db, and runs command [ just calls db.runCommand(...) ] db.auth(username, password) db.cloneDatabase(fromhost) db.commandHelp(name) returns the help for the command db.copyDatabase(fromdb, todb, fromhost) db.createCollection(name, { size : ..., capped : ..., max : ... } ) db.createUser(userDocument) db.currentOp() displays currently executing operations in the db db.dropDatabase() db.eval() - deprecated db.fsyncLock() flush data to disk and lock server for backups db.fsyncUnlock() unlocks server following a db.fsyncLock() db.getCollection(cname) same as db[‘cname‘] or db.cname db.getCollectionInfos() db.getCollectionNames() db.getLastError() - just returns the err msg string db.getLastErrorObj() - return full status object db.getLogComponents() db.getMongo() get the server connection object db.getMongo().setSlaveOk() allow queries on a replication slave server db.getName() db.getPrevError() db.getProfilingLevel() - deprecated db.getProfilingStatus() - returns if profiling is on and slow threshold db.getReplicationInfo() db.getSiblingDB(name) get the db at the same server as this one db.getWriteConcern() - returns the write concern used for any operations on this db, inherited from server object if set db.hostInfo() get details about the server‘s host db.isMaster() check replica primary status db.killOp(opid) kills the current operation in the db db.listCommands() lists all the db commands db.loadServerScripts() loads all the scripts in db.system.js db.logout() db.printCollectionStats() db.printReplicationInfo() db.printShardingStatus() db.printSlaveReplicationInfo() db.dropUser(username) db.repairDatabase() db.resetError() db.runCommand(cmdObj) run a database command. if cmdObj is a string, turns it into { cmdObj : 1 } db.serverStatus() db.setLogLevel(level,<component>) db.setProfilingLevel(level,<slowms>) 0=off 1=slow 2=all db.setWriteConcern( <write concern doc> ) - sets the write concern for writes to the db db.unsetWriteConcern( <write concern doc> ) - unsets the write concern for writes to the db db.setVerboseShell(flag) display extra information in shell output db.shutdownServer() db.stats() db.version() current version of the server >View Code
db.persons.help()
> db.persons.help() DBCollection help db.persons.find().help() - show DBCursor help db.persons.count() db.persons.copyTo(newColl) - duplicates collection by copying all documents to newColl; no indexes are copied. db.persons.convertToCapped(maxBytes) - calls {convertToCapped:‘persons‘, size:maxBytes}} command db.persons.dataSize() db.persons.distinct( key ) - e.g. db.persons.distinct( ‘x‘ ) db.persons.drop() drop the collection db.persons.dropIndex(index) - e.g. db.persons.dropIndex( "indexName" ) or db.persons.dropIndex( { "indexKey" : 1 } ) db.persons.dropIndexes() db.persons.ensureIndex(keypattern[,options]) db.persons.explain().help() - show explain help db.persons.reIndex() db.persons.find([query],[fields]) - query is an optional query filter. fields is optional set of fields to return. e.g. db.persons.find( {x:77} , {name:1, x:1} ) db.persons.find(...).count() db.persons.find(...).limit(n) db.persons.find(...).skip(n) db.persons.find(...).sort(...) db.persons.findOne([query]) db.persons.findAndModify( { update : ... , remove : bool [, query: {}, sort: {}, ‘new‘: false] } ) db.persons.getDB() get DB object associated with collection db.persons.getPlanCache() get query plan cache associated with collection db.persons.getIndexes() db.persons.group( { key : ..., initial: ..., reduce : ...[, cond: ...] } ) db.persons.insert(obj) db.persons.mapReduce( mapFunction , reduceFunction , <optional params> ) db.persons.aggregate( [pipeline], <optional params> ) - performs an aggregation on a collection; returns a cursor db.persons.remove(query) db.persons.renameCollection( newName , <dropTarget> ) renames the collection. db.persons.runCommand( name , <options> ) runs a db command with the given name where the first param is the collection name db.persons.save(obj) db.persons.stats({scale: N, indexDetails: true/false, indexDetailsKey: <index key>, indexDetailsName: <index name>}) db.persons.storageSize() - includes free space allocated to this collection db.persons.totalIndexSize() - size in bytes of all the indexes db.persons.totalSize() - storage allocated for all data and indexes db.persons.update(query, object[, upsert_bool, multi_bool]) - instead of two flags, you can pass an object with fields: upsert, multi db.persons.validate( <full> ) - SLOW db.persons.getShardVersion() - only for use with sharding db.persons.getShardDistribution() - prints statistics about data distribution in the cluster db.persons.getSplitKeysForChunks( <maxChunkSize> ) - calculates split points over all chunks and returns splitter function db.persons.getWriteConcern() - returns the write concern used for any operations on this collection, inherited from server/db if set db.persons.setWriteConcern( <write concern doc> ) - sets the write concern for writes to the collection db.persons.unsetWriteConcern( <write concern doc> ) - unsets the write concern for writes to the collection >View Code
http://api.mongodb.com/js/
db-text这样的集合也是合法的,但是不能通过db.[documentName]得到了,要改为db.getCollection("documentName"),因为db-text会被当成是减。
mongoDB的shell内置javascript引擎可以直接执行js代码
function insert(object){ db.getCollection("db-text").insert(object) } insert({age:29})
shell可以用eval
db.AddUser(username,password) 添加用户 db.auth(usrename,password) 设置数据库连接验证 db.cloneDataBase(fromhost) 从目标服务器克隆一个数据库 db.commandHelp(name) 返回帮助命令 db.copyDatabase(fromdb,todb,fromhost) 复制数据库fromdb---源数据库名称,todb---目标数据库名称,fromhost---源数据库服务器地址 db.createCollection(name,{size:3333,capped:333,max:88888}) 创建一个数据集,相当于一个表 db.currentOp() 取消当前库的当前操作 db.dropDataBase() 删除当前数据库 db.eval(func,args) 运行服务器端代码 db.getCollection(cname) 取得一个数据集合,其他类似的用法:db[‘cname‘] db.getCollenctionNames() 取得所有数据集合的名称列表 db.getLastError() 返回最后一个错误的提示消息 db.getLastErrorObj() 返回最后一个错误的对象 db.getMongo() 取得当前服务器的连接对象 db.getMongo().setSlaveOk() 允许当前连接读取备库中的成员对象 db.getName() 返回当操作数据库的名称 db.getPrevError() 返回上一个错误对象 db.getProfilingLevel() db.getReplicationInfo() 获得重复的数据 db.getSisterDB(name) 获取服务器上面的数据库 db.killOp() 停止(杀死)在当前库的当前操作 db.printCollectionStats() 返回当前库的数据集状态 db.printReplicationInfo() db.printSlaveReplicationInfo() db.printShardingStatus() 返回当前数据库是否为共享数据库 db.removeUser(username) 删除用户 db.repairDatabase() 修复当前数据库 db.resetError() db.runCommand(cmdObj) 运行数据库命令. 如果cmdObj 是 string类型, 将它转换为 {cmdObj:1}格式的对象 db.setProfilingLevel(level) 0=off,1=slow,2=all db.shutdownServer() 关闭当前服务程序 db.version() 返回当前程序的版本信息 db.test.find({id:10}) 返回test数据集ID=10的数据集 db.test.find({id:10}).count() 返回test数据集ID=10的数据总数 db.test.find({id:10}).limit(2) 返回test数据集ID=10的数据集从第二条开始的数据集 db.test.find({id:10}).skip(8) 返回test数据集ID=10的数据集从0到第八条的数据集 db.test.find({id:10}).limit(2).skip(8) 返回test数据集ID=1=的数据集从第二条到第八条的数据 db.test.find({id:10}).sort() 返回test数据集ID=10的排序数据集 db.test.findOne([query]) 返回符合条件的一条数据 db.test.getDB() 返回此数据集所属的数据库名称 db.test.getIndexes() 返回些数据集的索引信息 db.test.group({key:...,initial:...,reduce:...[,cond:...]}) db.test.mapReduce(mayFunction,reduceFunction,<optional params>) db.test.remove(query) 在数据集中删除一条数据 db.test.renameCollection(newName) 重命名些数据集名称 db.test.save(obj) 往数据集中插入一条数据 db.test.stats() 返回此数据集的状态 db.test.storageSize() 返回此数据集的存储大小 db.test.totalIndexSize() 返回此数据集的索引文件大小 db.test.totalSize() 返回些数据集的总大小 db.test.update(query,object[,upsert_bool]) 在此数据集中更新一条数据 db.test.validate() 验证此数据集 db.test.getShardVersion() 返回数据集共享版本号
MongoDB语法 <==> MySql语法 db.test.find({‘name‘:‘foobar‘}) <==> select * from test where name=‘foobar‘ db.test.find() <==> select * from test db.test.find({‘ID‘:10}).count() <==> select count(*) from test where ID=10 db.test.find().skip(10).limit(20) <==> select * from test limit 10,20 db.test.find({‘ID‘:{$in:[25,35,45]}}) <==> select * from test where ID in (25,35,45) db.test.find().sort({‘ID‘:-1}) <==> select * from test order by ID desc db.test.distinct(‘name‘,{‘ID‘:{$lt:20}}) <==> select distinct(name) from test where ID<20 db.test.group({key:{‘name‘:true},cond:{‘name‘:‘foo‘},reduce:function(obj,prev){prev.msum+=obj.marks;},initial:{msum:0}}) <==> select name,sum(marks) from test group by name db.test.find(‘this.ID<20‘,{name:1}) <==> select name from test where ID<20 db.test.insert({‘name‘:‘foobar‘,‘age‘:25})<==>insert into test (‘name‘,‘age‘) values(‘foobar‘,25) db.test.remove({}) <==> delete * from test db.test.remove({‘age‘:20}) <==> delete test where age=20 db.test.remove({‘age‘:{$lt:20}}) <==> elete test where age<20 db.test.remove({‘age‘:{$lte:20}}) <==> delete test where age<=20 db.test.remove({‘age‘:{$gt:20}}) <==> delete test where age>20 db.test.remove({‘age‘:{$gte:20}}) <==> delete test where age>=20 db.test.remove({‘age‘:{$ne:20}}) <==> delete test where age!=20 db.test.update({‘name‘:‘foobar‘},{$set:{‘age‘:36}}) <==> update test set age=36 where name=‘foobar‘ db.test.update({‘name‘:‘foobar‘},{$inc:{‘age‘:3}}) <==> update test set age=age+3 where name=‘foobar‘
注意以上命令大小写敏感。
每篇半小时1天入门MongoDB——2.MongoDB环境变量配置和Shell操作
标签:ogr algorithm index function ota one 版本号 cert api