查找具有特定关系的所有间接连接的节点Gremlin

时间:2017-06-16 10:48:21

标签: graph-databases gremlin gremlin-server janusgraph

假设我在Gremlin中有一个Node的数字ID ..与

一起使用
g.V(n_id)

说这个节点是一个主题。

每个主题都可以有关系threadOf的问题。

每个问题都可以有关系threadOf

的答案或评论

如果我得到一个数字ID作为输入,我想要一个gremlin查询,它返回与该主题相关的所有问题以及与这些问题相关的所有答案或评论

所有关系均为threadOf

Gremlin可以吗?

1 个答案:

答案 0 :(得分:5)

使用Gremlin有几种方法可以做到这一点。让我们假设这个图(使用Gremlin问题,在问题本身中包含一个小图样本总是有帮助的):

gremlin> graph = TinkerGraph.open()
==>tinkergraph[vertices:0 edges:0]
gremlin> g = graph.traversal()
==>graphtraversalsource[tinkergraph[vertices:0 edges:0], standard]
gremlin> g.addV('topic').property('text','topic').as('t').
......1>   addV('question').property('text','question 1').as('q1').
......2>   addV('question').property('text','question 2').as('q2').
......3>   addV('comment').property('text','comment 1').as('c1').
......4>   addV('comment').property('text','comment 2').as('c2').
......5>   addV('answer').property('text','answer 1').as('a1').
......6>   addV('answer').property('text','answer 2').as('a2').
......7>   addE('threadOf').from('t').to('q1').
......8>   addE('threadOf').from('t').to('q2').
......9>   addE('threadOf').from('q1').to('c1').
.....10>   addE('threadOf').from('q1').to('c2').
.....11>   addE('threadOf').from('q1').to('a1').
.....12>   addE('threadOf').from('q2').to('a2').iterate()

上图是树,因此最好将其作为一个树返回。为此,我们可以使用tree step。主题在顶点id为“0”,所以如果我们想要所有“threadOf”层次结构,我们可以这样做:

gremlin> g.V(0L).out('threadOf').out('threadOf').tree().by('text')
==>[topic:[question 1:[comment 2:[],comment 1:[],answer 1:[]],question 2:[answer 2:[]]]]

这是有效的,但它假设我们知道“threadOf”边缘树的深度(我们从顶点“0”开始两次out()。如果我们不知道我们可以做的深度:

gremlin> g.V(0L).repeat(out('threadOf')).emit().tree().by('text')
==>[topic:[question 1:[comment 2:[],comment 1:[],answer 1:[]],question 2:[answer 2:[]]]]