如何检查ArangoDB中是否已存在集合

时间:2016-11-09 08:59:14

标签: node.js arangodb arangojs

假设我的数据库中已存在一个集合Col1。所以,做一些像:

var col = db.collection('Col1');
col.save({"name":"something"});

将完美无缺。

但是,如果我的数据库中尚未存在的集合Col2尝试使用相同的东西,即

var col = db.collection('Col2');
col.save({"name":"something"})

也会完美无缺。只是它不存在,并且不会显示在我的数据库中。如果它抛出一些错误或东西,我可以使用trycatch语句来获得结果。但是,由于这是不可能的,我怎么知道一个集合是否已经存在?

4 个答案:

答案 0 :(得分:2)

col.save不会立即执行保存操作,但会返回一个promise。所以它总会成功。解决方案是等待承诺得到解决,然后对是否发生错误做出反应:

var col = db.collection('Col2');
col.save({"name":"something"}).then(
  meta => console.log('Document saved:', meta._rev),  
  err => { console.error('Failed to save document:', err.errorNum, err.response.body.errorMessage); }
);

答案 1 :(得分:1)

https://docs.arangodb.com/3.1/Manual/DataModeling/Collections/DatabaseMethods.html#collection

  

返回单个集合或null db._collection(collection-name)

所以你可以使用

var col2 = db._collection('Col2');
if (col2) {
    // collection exists
    col2.save({"name":"something"});
}

答案 2 :(得分:1)

这里有两件事可能令人困惑。

首先,arangojs(与ArangoDB的内部JS API不同)是异步,用于需要与实际ArangoDB服务器通信的所有内容。异步函数标记为" async"在文档中。

您可以将node.js样式的回调(例如内置node.js模块中的异步函数,例如fshttp等)传递给这些方法。或者,您可以简单地省略回调,该方法将返回结果的承诺。您可以了解有关promises如何工作的更多信息in Mozilla's JavaScript reference documentation(这不是Mozilla特有的 - 他们的参考非常好并且通常是正确的。)

您遇到的另一件事是arangojs中的集合对象与ArangoDB中的实际集合之间的区别。驱动程序允许您为集合创建集合对象,无论它们是否存在。当试图使用它们时,如果集合实际上并不存在,那么你当然会看到错误。

var col = db.collection('whatever');
col.create() // create the collection if it doesn't exist
.catch(function () {}) // ignore any errors
.then(function () {
  return col.get(); // make sure the collection exists now
})
.then(function () {
  return col.save({some: 'data'});
})
.then(function (result) {
  // everything went fine
})
.catch(function (e) {
  console.error('Something went wrong', e.stack);
});

或使用async / await(如果您使用Babel或从现在起一年后阅读此答案):

var col = db.collection('whatever');
try {
  await col.create(); // create the collection if it doesn't exist
} catch (e) {} // ignore any errors
try {
  await col.get(); // make sure the collection exists now
  const result = await col.save({some: 'data'});
  // everything went fine
} catch (e) {
  console.error('Something went wrong', e.stack);
}

或者使用node.js样式的回调,因为你是oldschool或者非常喜欢金字塔:

var col = db.collection('whatever');
col.create(function () { // create the collection if it doesn't exist
  // ignore any errors
  col.get(function (err) { // make sure the collection exists now
    if (err) {
      console.error('Something went wrong', err.stack);
      return;
    }
    col.save({some: 'data'}, function (err, result) {
      if (err) {
        console.error('Something went wrong', err.stack);
        return;
      }
      // everything went fine
    });
  });
});

答案 3 :(得分:0)

这很旧,但是有一个exists()函数。

打字稿/节点中的示例

const metaResult = db.collection('myCollection');
if(!await metaResult.exists()) {
    await db.createCollection('myCollection');
}