4

我正在使用来自 nodejs 应用程序的最新版本的 ArangoDb 和 ArangoJs。我有以下两个顶点

  1. 用户
  2. 代币

tokens顶点包含向顶点中的一位用户发出的安全令牌users。我有一个名为token_belongs_to连接tokens到的边缘定义users

如何使用 ArangoJs 存储属于现有用户的新生成令牌?

4

2 回答 2

5

我将假设您使用 ArangoDB 2.7 和最新版本的 arangojs(撰写本文时为 4.1),因为自 3.x 驱动程序发布以来 API 发生了一些变化。

正如您没有提到使用Graph API,最简单的方法是直接使用集合。然而,使用 Graph API 会增加一些好处,例如在删除任何顶点时自动删除孤立边。

首先,您需要获取对要使用的每个集合的引用:

var users = db.collection('users');
var tokens = db.collection('tokens');
var edges = db.edgeCollection('token_belongs_to');

或者,如果您使用的是 Graph API:

var graph = db.graph('my_graph');
var users = graph.vertexCollection('users');
var tokens = graph.vertexCollection('tokens');
var edges = graph.edgeCollection('token_belongs_to');

为了为现有用户创建令牌,您需要知道_id用户的身份。文档的_id由集合名称 ( users) 和_key文档的 ( 例如12345678) 组成。

如果您没有,_id或者_key您也可以通过其他一些唯一属性来查找文档。例如,如果您有一个email知道其值的唯一属性,则可以这样做:

users.firstExample({email: 'admin@example.com'})
.then(function (doc) {
  var userId = doc._id;
  // more code goes here
});

接下来,您将要创建令牌:

tokens.save(tokenData)
.then(function (meta) {
  var tokenId = meta._id;
  // more code goes here
});

拥有 userId 和 tokenId 后,您可以创建边缘来定义两者之间的关系:

edges.save(edgeData, userId, tokenId)
.then(function (meta) {
  var edgeId = meta._id;
  // more code goes here
});

如果您不想在边缘存储任何数据,您可以用一个空对象替换edgeData或简单地将其写为:

edges.save({_from: userId, _to: tokenId})
.then(...);

所以完整的例子会是这样的:

var graph = db.graph('my_graph');
var users = graph.vertexCollection('users');
var tokens = graph.vertexCollection('tokens');
var edges = graph.edgeCollection('token_belongs_to');

Promise.all([
  users.firstExample({email: 'admin@example.com'}),
  tokens.save(tokenData)
])
.then(function (args) {
  var userId = args[0]._id; // result from first promise
  var tokenId = args[1]._id; // result from second promise
  return edges.save({_from: userId, _to: tokenId});
})
.then(function (meta) {
  var edgeId = meta._id;
  // Edge has been created
})
.catch(function (err) {
  console.error('Something went wrong:', err.stack);
});
于 2015-11-30T12:09:47.653 回答
0

注意 - 语法变化:

边缘创建:

const { Database, CollectionType } = require('arangojs');

const db = new Database();
const collection = db.collection("collection_name");

if (!(await collection.exists())
  await collection.create({ type: CollectionType.EDGE_COLLECTION });

await collection.save({_from: 'from_id', _to: 'to_id'});

https://arangodb.github.io/arangojs/7.1.0/interfaces/_collection_.edgecollection.html#create

于 2020-11-05T13:05:04.223 回答