是否有图形数据库自动为每个节点生成restful端点?

时间:2014-05-27 06:51:22

标签: rest graph-databases orientdb arangodb

我正在查看ArangoDB和OrientDB以及其他图形数据库,并且需要知道哪些支持存储分层数据(树,文件目录等)的能力,然后通过REST api自动或稍微修补它。

所以如果我去http://localhost.com/parent/,它应该列出这个级别的所有孩子。或http://localhost.com/parent/child4/child1/leaf应该给我一个叶子节点。

1 个答案:

答案 0 :(得分:2)

ArangoDB不会自动为您生成此REST API,但可以轻松生成。 如果存储边集合中节点之间的连接,则可以通过如下的小Foxx应用程序公开它们。代码假设您将节点存储在集合中" v"以及存储在集合中的节点之间的连接" e"。

(function() {
  "use strict";

  // Initialise a new FoxxApplication.
  var FoxxApplication = require("org/arangodb/foxx").Controller,
    controller = new FoxxApplication(applicationContext),
    db = require("org/arangodb").db;

  controller.get("/*", function (req, res) {
    var nodeCollection = db.v;
    var edgeCollection = db.e;

    var requestedNode = req.suffix.pop();

    try {
      var node = nodeCollection.document(requestedNode);
      var subNodes = edgeCollection.outEdges(nodeCollection.name() + "/" + requestedNode);

      res.json({ node: node, subNodes: subNodes });
    }
    catch (err) {
      res.json("oops, some error happened!");
    }
  });
}());

我使用以下JavaScript设置了一些示例节点:

db._create("v");
db._createEdgeCollection("e");

/* nodes */
db.v.save({ _key: "root" });
db.v.save( { _key: "subnode1" });
db.v.save( { _key: "subnode2" });
db.v.save( { _key: "subnode3" });
db.v.save( { _key: "subnode1-1" });
db.v.save( { _key: "subnode1-2" });
db.v.save( { _key: "subnode1-3" });
db.v.save( { _key: "subnode2-1" });
db.v.save( { _key: "subnode2-2" });

/* connections */
db.e.save("v/root", "v/subnode1", { });
db.e.save("v/root", "v/subnode2", { });
db.e.save("v/root", "v/subnode3", { });
db.e.save("v/subnode1", "v/subnode1-1", { });
db.e.save("v/subnode1", "v/subnode1-2", { });
db.e.save("v/subnode1", "v/subnode1-3", { });
db.e.save("v/subnode2", "v/subnode2-1", { });
db.e.save("v/subnode2", "v/subnode2-2", { });

如果安装了Foxx应用程序,它将允许您通过将节点_key放入URL中来获取任何节点的数据,例如http://example.com:8529/myapp/roothttp://example.com:8529/myapp/subnode2-2

上述API将返回节点的数据以及所请求节点的所有子节点。可以很容易地改变它以表现不同,例如查看完整的请求URI并按路径的每个部分获取节点(例如" root / subnode1 / subnode1-1")。如果需要,可以通过迭代req.suffix来实现。虽然节点的_key已经知道并且通过URL传递,但是没有必要。

仅通过查看URL也难以区分节点和叶节点,因此我建议添加一个URL参数" subNodes = true"表示应该返回子节点。如果省略URL参数,则不需要查询和返回子节点。