// cloner.cpp - copy a database (export/import basically)
/**
* Copyright (C) 2008 10gen Inc.
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License, version 3,
* as published by the Free Software Foundation.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see .
*
* As a special exception, the copyright holders give permission to link the
* code of portions of this program with the OpenSSL library under certain
* conditions as described in each individual source file and distribute
* linked combinations including the program with the OpenSSL library. You
* must comply with the GNU Affero General Public License in all respects for
* all of the code used other than as permitted herein. If you modify file(s)
* with this exception, you may extend this exception to your version of the
* file(s), but you are not obligated to do so. If you do not wish to do so,
* delete this exception statement from your version. If you delete this
* exception statement from all source files in the program, then also delete
* it in the license file.
*/
#define MONGO_LOG_DEFAULT_COMPONENT ::mongo::logger::LogComponent::kStorage
#include "mongo/platform/basic.h"
#include "mongo/db/cloner.h"
#include "mongo/base/status.h"
#include "mongo/bson/util/builder.h"
#include "mongo/client/dbclientinterface.h"
#include "mongo/db/auth/authorization_manager.h"
#include "mongo/db/auth/authorization_manager_global.h"
#include "mongo/db/auth/internal_user_auth.h"
#include "mongo/db/catalog/collection.h"
#include "mongo/db/catalog/database.h"
#include "mongo/db/catalog/database_holder.h"
#include "mongo/db/catalog/index_create.h"
#include "mongo/db/commands.h"
#include "mongo/db/commands/copydb.h"
#include "mongo/db/commands/rename_collection.h"
#include "mongo/db/concurrency/write_conflict_exception.h"
#include "mongo/db/dbdirectclient.h"
#include "mongo/db/dbhelpers.h"
#include "mongo/db/service_context.h"
#include "mongo/db/index_builder.h"
#include "mongo/db/jsobj.h"
#include "mongo/db/namespace_string.h"
#include "mongo/db/op_observer.h"
#include "mongo/db/repl/isself.h"
#include "mongo/db/repl/replication_coordinator_global.h"
#include "mongo/db/server_parameters.h"
#include "mongo/db/storage/storage_options.h"
#include "mongo/util/assert_util.h"
#include "mongo/util/log.h"
#include "mongo/util/mongoutils/str.h"
namespace mongo {
using std::endl;
using std::list;
using std::set;
using std::string;
using std::unique_ptr;
using std::vector;
MONGO_EXPORT_SERVER_PARAMETER(skipCorruptDocumentsWhenCloning, bool, false);
BSONElement getErrField(const BSONObj& o);
/* for index info object:
{ "name" : "name_1" , "ns" : "foo.index3" , "key" : { "name" : 1.0 } }
we need to fix up the value in the "ns" parameter so that the name prefix is correct on a
copy to a new name.
*/
BSONObj fixindex(const string& newDbName, BSONObj o) {
BSONObjBuilder b;
BSONObjIterator i(o);
while (i.moreWithEOO()) {
BSONElement e = i.next();
if (e.eoo())
break;
// for now, skip the "v" field so that v:0 indexes will be upgraded to v:1
if (string("v") == e.fieldName()) {
continue;
}
if (string("ns") == e.fieldName()) {
uassert(10024, "bad ns field for index during dbcopy", e.type() == String);
const char* p = strchr(e.valuestr(), '.');
uassert(10025, "bad ns field for index during dbcopy [2]", p);
string newname = newDbName + p;
b.append("ns", newname);
} else {
b.append(e);
}
}
BSONObj res = b.obj();
return res;
}
Cloner::Cloner() {}
struct Cloner::Fun {
Fun(OperationContext* txn, const string& dbName) : lastLog(0), txn(txn), _dbName(dbName) {}
void operator()(DBClientCursorBatchIterator& i) {
invariant(from_collection.coll() != "system.indexes");
// XXX: can probably take dblock instead
unique_ptr scopedXact(new ScopedTransaction(txn, MODE_X));
unique_ptr globalWriteLock(new Lock::GlobalWrite(txn->lockState()));
uassert(ErrorCodes::NotMaster,
str::stream() << "Not primary while cloning collection " << from_collection.ns()
<< " to " << to_collection.ns(),
!txn->writesAreReplicated() ||
repl::getGlobalReplicationCoordinator()->canAcceptWritesFor(to_collection));
// Make sure database still exists after we resume from the temp release
Database* db = dbHolder().openDb(txn, _dbName);
bool createdCollection = false;
Collection* collection = NULL;
collection = db->getCollection(to_collection);
if (!collection) {
massert(17321,
str::stream() << "collection dropped during clone [" << to_collection.ns()
<< "]",
!createdCollection);
MONGO_WRITE_CONFLICT_RETRY_LOOP_BEGIN {
if (_mayBeInterrupted) {
txn->checkForInterrupt();
}
WriteUnitOfWork wunit(txn);
Status s = userCreateNS(txn, db, to_collection.toString(), from_options, false);
verify(s.isOK());
wunit.commit();
collection = db->getCollection(to_collection);
}
MONGO_WRITE_CONFLICT_RETRY_LOOP_END(txn, "createCollection", to_collection.ns());
}
while (i.moreInCurrentBatch()) {
if (numSeen % 128 == 127) {
time_t now = time(0);
if (now - lastLog >= 60) {
// report progress
if (lastLog)
log() << "clone " << to_collection << ' ' << numSeen << endl;
lastLog = now;
}
if (_mayBeInterrupted) {
txn->checkForInterrupt();
}
if (_mayYield) {
scopedXact.reset();
globalWriteLock.reset();
CurOp::get(txn)->yielded();
scopedXact.reset(new ScopedTransaction(txn, MODE_X));
globalWriteLock.reset(new Lock::GlobalWrite(txn->lockState()));
// Check if everything is still all right.
if (txn->writesAreReplicated()) {
uassert(28592,
str::stream() << "Cannot write to ns: " << to_collection.ns()
<< " after yielding",
repl::getGlobalReplicationCoordinator()->canAcceptWritesFor(
to_collection));
}
// TODO: SERVER-16598 abort if original db or collection is gone.
db = dbHolder().get(txn, _dbName);
uassert(28593,
str::stream() << "Database " << _dbName << " dropped while cloning",
db != NULL);
collection = db->getCollection(to_collection);
uassert(28594,
str::stream() << "Collection " << to_collection.ns()
<< " dropped while cloning",
collection != NULL);
}
}
BSONObj tmp = i.nextSafe();
/* assure object is valid. note this will slow us down a little. */
const Status status = validateBSON(tmp.objdata(), tmp.objsize());
if (!status.isOK()) {
str::stream ss;
ss << "Cloner: found corrupt document in " << from_collection.toString() << ": "
<< status.reason();
if (skipCorruptDocumentsWhenCloning) {
warning() << ss.ss.str() << "; skipping";
continue;
}
msgasserted(28531, ss);
}
verify(collection);
++numSeen;
MONGO_WRITE_CONFLICT_RETRY_LOOP_BEGIN {
if (_mayBeInterrupted) {
txn->checkForInterrupt();
}
WriteUnitOfWork wunit(txn);
BSONObj doc = tmp;
Status status = collection->insertDocument(txn, doc, true);
if (!status.isOK()) {
error() << "error: exception cloning object in " << from_collection << ' '
<< status << " obj:" << doc;
}
uassertStatusOK(status);
wunit.commit();
}
MONGO_WRITE_CONFLICT_RETRY_LOOP_END(txn, "cloner insert", to_collection.ns());
RARELY if (time(0) - saveLast > 60) {
log() << numSeen << " objects cloned so far from collection " << from_collection;
saveLast = time(0);
}
}
}
time_t lastLog;
OperationContext* txn;
const string _dbName;
int64_t numSeen;
NamespaceString from_collection;
BSONObj from_options;
NamespaceString to_collection;
time_t saveLast;
bool _mayYield;
bool _mayBeInterrupted;
};
/* copy the specified collection
*/
void Cloner::copy(OperationContext* txn,
const string& toDBName,
const NamespaceString& from_collection,
const BSONObj& from_opts,
const NamespaceString& to_collection,
bool masterSameProcess,
bool slaveOk,
bool mayYield,
bool mayBeInterrupted,
Query query) {
LOG(2) << "\t\tcloning collection " << from_collection << " to " << to_collection << " on "
<< _conn->getServerAddress() << " with filter " << query.toString() << endl;
Fun f(txn, toDBName);
f.numSeen = 0;
f.from_collection = from_collection;
f.from_options = from_opts;
f.to_collection = to_collection;
f.saveLast = time(0);
f._mayYield = mayYield;
f._mayBeInterrupted = mayBeInterrupted;
int options = QueryOption_NoCursorTimeout | (slaveOk ? QueryOption_SlaveOk : 0);
{
Lock::TempRelease tempRelease(txn->lockState());
_conn->query(stdx::function(f),
from_collection.ns(),
query,
0,
options);
}
uassert(ErrorCodes::NotMaster,
str::stream() << "Not primary while cloning collection " << from_collection.ns()
<< " to " << to_collection.ns() << " with filter " << query.toString(),
!txn->writesAreReplicated() ||
repl::getGlobalReplicationCoordinator()->canAcceptWritesFor(to_collection));
}
void Cloner::copyIndexes(OperationContext* txn,
const string& toDBName,
const NamespaceString& from_collection,
const BSONObj& from_opts,
const NamespaceString& to_collection,
bool masterSameProcess,
bool slaveOk,
bool mayYield,
bool mayBeInterrupted) {
LOG(2) << "\t\t copyIndexes " << from_collection << " to " << to_collection << " on "
<< _conn->getServerAddress();
vector indexesToBuild;
{
Lock::TempRelease tempRelease(txn->lockState());
list sourceIndexes =
_conn->getIndexSpecs(from_collection.ns(), slaveOk ? QueryOption_SlaveOk : 0);
for (list::const_iterator it = sourceIndexes.begin(); it != sourceIndexes.end();
++it) {
indexesToBuild.push_back(fixindex(to_collection.db().toString(), *it));
}
}
uassert(ErrorCodes::NotMaster,
str::stream() << "Not primary while copying indexes from " << from_collection.ns()
<< " to " << to_collection.ns() << " (Cloner)",
!txn->writesAreReplicated() ||
repl::getGlobalReplicationCoordinator()->canAcceptWritesFor(to_collection));
if (indexesToBuild.empty())
return;
// We are under lock here again, so reload the database in case it may have disappeared
// during the temp release
Database* db = dbHolder().openDb(txn, toDBName);
Collection* collection = db->getCollection(to_collection);
if (!collection) {
MONGO_WRITE_CONFLICT_RETRY_LOOP_BEGIN {
if (mayBeInterrupted) {
txn->checkForInterrupt();
}
WriteUnitOfWork wunit(txn);
Status s = userCreateNS(txn, db, to_collection.toString(), from_opts, false);
invariant(s.isOK());
collection = db->getCollection(to_collection);
invariant(collection);
wunit.commit();
}
MONGO_WRITE_CONFLICT_RETRY_LOOP_END(txn, "createCollection", to_collection.ns());
}
// TODO pass the MultiIndexBlock when inserting into the collection rather than building the
// indexes after the fact. This depends on holding a lock on the collection the whole time
// from creation to completion without yielding to ensure the index and the collection
// matches. It also wouldn't work on non-empty collections so we would need both
// implementations anyway as long as that is supported.
MultiIndexBlock indexer(txn, collection);
if (mayBeInterrupted)
indexer.allowInterruption();
indexer.removeExistingIndexes(&indexesToBuild);
if (indexesToBuild.empty())
return;
uassertStatusOK(indexer.init(indexesToBuild));
uassertStatusOK(indexer.insertAllDocumentsInCollection());
WriteUnitOfWork wunit(txn);
indexer.commit();
if (txn->writesAreReplicated()) {
const string targetSystemIndexesCollectionName = to_collection.getSystemIndexesCollection();
const char* createIndexNs = targetSystemIndexesCollectionName.c_str();
for (vector::const_iterator it = indexesToBuild.begin();
it != indexesToBuild.end();
++it) {
getGlobalServiceContext()->getOpObserver()->onCreateIndex(txn, createIndexNs, *it);
}
}
wunit.commit();
}
bool Cloner::copyCollection(OperationContext* txn,
const string& ns,
const BSONObj& query,
string& errmsg,
bool mayYield,
bool mayBeInterrupted,
bool shouldCopyIndexes) {
const NamespaceString nss(ns);
const string dbname = nss.db().toString();
ScopedTransaction transaction(txn, MODE_IX);
Lock::DBLock dbWrite(txn->lockState(), dbname, MODE_X);
uassert(ErrorCodes::NotMaster,
str::stream() << "Not primary while copying collection " << ns << " (Cloner)",
!txn->writesAreReplicated() ||
repl::getGlobalReplicationCoordinator()->canAcceptWritesFor(nss));
Database* db = dbHolder().openDb(txn, dbname);
// config
BSONObj filter = BSON("name" << nss.coll().toString());
list collList = _conn->getCollectionInfos(dbname, filter);
BSONObj options;
if (!collList.empty()) {
invariant(collList.size() <= 1);
BSONObj col = collList.front();
if (col["options"].isABSONObj()) {
options = col["options"].Obj();
}
MONGO_WRITE_CONFLICT_RETRY_LOOP_BEGIN {
if (mayBeInterrupted)
txn->checkForInterrupt();
WriteUnitOfWork wunit(txn);
Status status = userCreateNS(txn, db, ns, options, false);
if (!status.isOK()) {
errmsg = status.toString();
// abort write unit of work
return false;
}
wunit.commit();
}
MONGO_WRITE_CONFLICT_RETRY_LOOP_END(txn, "createCollection", ns);
} else {
LOG(1) << "No collection info found for ns:" << nss.toString()
<< ", host:" << _conn->getServerAddress();
}
// main data
copy(txn,
dbname,
nss,
options,
nss,
false,
true,
mayYield,
mayBeInterrupted,
Query(query).snapshot());
/* TODO : copyIndexes bool does not seem to be implemented! */
if (!shouldCopyIndexes) {
log() << "ERROR copy collection shouldCopyIndexes not implemented? " << ns << endl;
}
// indexes
copyIndexes(txn,
dbname,
NamespaceString(ns),
options,
NamespaceString(ns),
false,
true,
mayYield,
mayBeInterrupted);
return true;
}
Status Cloner::copyDb(OperationContext* txn,
const std::string& toDBName,
const string& masterHost,
const CloneOptions& opts,
set* clonedColls) {
massert(10289,
"useReplAuth is not written to replication log",
!opts.useReplAuth || !txn->writesAreReplicated());
auto statusWithMasterHost = ConnectionString::parse(masterHost);
if (!statusWithMasterHost.isOK()) {
return statusWithMasterHost.getStatus();
}
const ConnectionString cs(statusWithMasterHost.getValue());
bool masterSameProcess = false;
std::vector csServers = cs.getServers();
for (std::vector::const_iterator iter = csServers.begin(); iter != csServers.end();
++iter) {
if (!repl::isSelf(*iter))
continue;
masterSameProcess = true;
break;
}
if (masterSameProcess) {
if (opts.fromDB == toDBName) {
// Guard against re-entrance
return Status(ErrorCodes::IllegalOperation, "can't clone from self (localhost)");
}
}
{
// setup connection
if (_conn.get()) {
// nothing to do
} else if (!masterSameProcess) {
std::string errmsg;
unique_ptr con(cs.connect(errmsg));
if (!con.get()) {
return Status(ErrorCodes::HostUnreachable, errmsg);
}
if (getGlobalAuthorizationManager()->isAuthEnabled() &&
!con->authenticateInternalUser()) {
return Status(ErrorCodes::AuthenticationFailed,
"Unable to authenticate as internal user");
}
_conn = std::move(con);
} else {
_conn.reset(new DBDirectClient(txn));
}
}
// Gather the list of collections to clone
list toClone;
if (clonedColls) {
clonedColls->clear();
}
{
// getCollectionInfos may make a remote call, which may block indefinitely, so release
// the global lock that we are entering with.
Lock::TempRelease tempRelease(txn->lockState());
list raw = _conn->getCollectionInfos(opts.fromDB);
for (list::iterator it = raw.begin(); it != raw.end(); ++it) {
BSONObj collection = *it;
LOG(2) << "\t cloner got " << collection << endl;
BSONElement collectionOptions = collection["options"];
if (collectionOptions.isABSONObj()) {
Status parseOptionsStatus = CollectionOptions().parse(collectionOptions.Obj());
if (!parseOptionsStatus.isOK()) {
return parseOptionsStatus;
}
}
BSONElement e = collection.getField("name");
if (e.eoo()) {
string s = "bad collection object " + collection.toString();
massert(10290, s.c_str(), false);
}
verify(!e.eoo());
verify(e.type() == String);
const NamespaceString ns(opts.fromDB, e.valuestr());
if (ns.isSystem()) {
/* system.users and s.js is cloned -- but nothing else from system.
* system.indexes is handled specially at the end*/
if (legalClientSystemNS(ns.ns(), true) == 0) {
LOG(2) << "\t\t not cloning because system collection" << endl;
continue;
}
}
if (!ns.isNormal()) {
LOG(2) << "\t\t not cloning because has $ ";
continue;
}
if (opts.collsToIgnore.find(ns.ns()) != opts.collsToIgnore.end()) {
LOG(2) << "\t\t ignoring collection " << ns;
continue;
} else {
LOG(2) << "\t\t not ignoring collection " << ns;
}
if (clonedColls) {
clonedColls->insert(ns.ns());
}
toClone.push_back(collection.getOwned());
}
}
uassert(ErrorCodes::NotMaster,
str::stream() << "Not primary while cloning database " << opts.fromDB
<< " (after getting list of collections to clone)",
!txn->writesAreReplicated() ||
repl::getGlobalReplicationCoordinator()->canAcceptWritesForDatabase(toDBName));
if (opts.syncData) {
for (list::iterator i = toClone.begin(); i != toClone.end(); i++) {
BSONObj collection = *i;
LOG(2) << " really will clone: " << collection << endl;
const char* collectionName = collection["name"].valuestr();
BSONObj options = collection.getObjectField("options");
const NamespaceString from_name(opts.fromDB, collectionName);
const NamespaceString to_name(toDBName, collectionName);
Database* db = dbHolder().openDb(txn, toDBName);
{
MONGO_WRITE_CONFLICT_RETRY_LOOP_BEGIN {
if (opts.mayBeInterrupted) {
txn->checkForInterrupt();
}
WriteUnitOfWork wunit(txn);
// we defer building id index for performance - building it in batch is much
// faster
Status createStatus = userCreateNS(txn, db, to_name.ns(), options, false);
if (!createStatus.isOK()) {
return createStatus;
}
wunit.commit();
}
MONGO_WRITE_CONFLICT_RETRY_LOOP_END(txn, "createCollection", to_name.ns());
}
LOG(1) << "\t\t cloning " << from_name << " -> " << to_name << endl;
Query q;
if (opts.snapshot)
q.snapshot();
copy(txn,
toDBName,
from_name,
options,
to_name,
masterSameProcess,
opts.slaveOk,
opts.mayYield,
opts.mayBeInterrupted,
q);
// Copy releases the lock, so we need to re-load the database. This should
// probably throw if the database has changed in between, but for now preserve
// the existing behaviour.
db = dbHolder().get(txn, toDBName);
uassert(18645, str::stream() << "database " << toDBName << " dropped during clone", db);
Collection* c = db->getCollection(to_name);
if (c && !c->getIndexCatalog()->haveIdIndex(txn)) {
// We need to drop objects with duplicate _ids because we didn't do a true
// snapshot and this is before applying oplog operations that occur during the
// initial sync.
set dups;
MultiIndexBlock indexer(txn, c);
if (opts.mayBeInterrupted) {
indexer.allowInterruption();
}
uassertStatusOK(indexer.init(c->getIndexCatalog()->getDefaultIdIndexSpec()));
uassertStatusOK(indexer.insertAllDocumentsInCollection(&dups));
// This must be done before we commit the indexer. See the comment about
// dupsAllowed in IndexCatalog::_unindexRecord and SERVER-17487.
for (set::const_iterator it = dups.begin(); it != dups.end(); ++it) {
WriteUnitOfWork wunit(txn);
BSONObj id;
c->deleteDocument(
txn, *it, true, true, txn->writesAreReplicated() ? &id : nullptr);
wunit.commit();
}
if (!dups.empty()) {
log() << "index build dropped: " << dups.size() << " dups";
}
WriteUnitOfWork wunit(txn);
indexer.commit();
if (txn->writesAreReplicated()) {
getGlobalServiceContext()->getOpObserver()->onCreateIndex(
txn,
c->ns().getSystemIndexesCollection().c_str(),
c->getIndexCatalog()->getDefaultIdIndexSpec());
}
wunit.commit();
}
}
}
// now build the secondary indexes
if (opts.syncIndexes) {
for (list::iterator i = toClone.begin(); i != toClone.end(); i++) {
BSONObj collection = *i;
log() << "copying indexes for: " << collection;
const char* collectionName = collection["name"].valuestr();
NamespaceString from_name(opts.fromDB, collectionName);
NamespaceString to_name(toDBName, collectionName);
copyIndexes(txn,
toDBName,
from_name,
collection.getObjectField("options"),
to_name,
masterSameProcess,
opts.slaveOk,
opts.mayYield,
opts.mayBeInterrupted);
}
}
return Status::OK();
}
} // namespace mongo