我在MongoDB上做开发。出于完全无害的目的,我有时想要删除数据库中的所有内容——也就是说,删除每一个集合,以及周围可能存在的任何其他内容,然后从头开始。是否有一行代码可以让我这样做?同时提供MongoDB控制台方法和MongoDB Ruby驱动程序方法的额外好处。


当前回答

db.getCollectionNames().forEach(c=>db[c].drop())

其他回答

在蒙戈壳里:

use [database];
db.dropDatabase();

并删除用户:

db.dropAllUsers();

同样,在命令行中:

mongo DATABASE_NAME --eval "db.dropDatabase();"

删除所有db使用:

for i in $(mongo --quiet --host $HOSTNAME --eval "db.getMongo().getDBNames()" | tr "," " ");

do mongo $i --host $HOSTNAME --eval "db.dropDatabase()";

done 
db.getCollectionNames().forEach(c=>db[c].drop())

在MongoDB 3.2及更新版本中,Mongo shell中的Mongo().getDBNames()将在服务器中输出一个数据库名称列表:

> Mongo().getDBNames()
[ "local", "test", "test2", "test3" ]

> show dbs
local  0.000GB
test   0.000GB
test2  0.000GB
test3  0.000GB

遍历数组的forEach()循环然后可以调用dropDatabase()来删除所有列出的数据库。您还可以选择跳过不想删除的一些重要数据库。例如:

Mongo().getDBNames().forEach(function(x) {
  // Loop through all database names
  if (['admin', 'config', 'local'].indexOf(x) < 0) {
    // Drop if database is not admin, config, or local
    Mongo().getDB(x).dropDatabase();
  }
})

示例运行:

> show dbs
admin   0.000GB
config  0.000GB
local   0.000GB
test    0.000GB
test2   0.000GB
test3   0.000GB

> Mongo().getDBNames().forEach(function(x) {
...   if (['admin', 'config', 'local'].indexOf(x) < 0) {
...     Mongo().getDB(x).dropDatabase();
...   }
... })

> show dbs
admin   0.000GB
config  0.000GB
local   0.000GB