我正在使用TitanGraphDB + Cassandra。我正在按照以下方式启动Titan
cd titan-cassandra-0.3.1
bin/titan.sh config/titan-server-rexster.xml config/titan-server-cassandra.properties
我有一个Rexster shell,我可以使用它与上面的Titan + Cassandra进行交流。
cd rexster-console-2.3.0
bin/rexster-console.sh
我想从我的python程序中编写Titan Graph DB。我正在使用灯泡包。
我使用灯泡从python创建3种类型的顶点,如下所示。
有3种类型的顶点- switch
- port
- device
from bulbs.titan import Graph
vswitch = self.g.vertices.get_or_create('dpid',dpid_str,{'state':'active','dpid':dpid_str,'type':'switch'})
vport = self.g.vertices.get_or_create('port_id',port_id,{'desc':desc,'port_id':port_id,'state':state,'port_state':port_state,'number':number,'type':'port'})
如果我尝试打印变量vswitch,vport和vdevice,我会得到以下结果。
vswitch <Vertex: http://localhost:8182/graphs/graph/vertices/4>
vport <Vertex: http://localhost:8182/graphs/graph/vertices/28>
但是,如果我尝试使用键检索上述顶点,如下所示。
vswitch = self.g.vertices.index.lookup(dpid=dpid_str)
vport = self.g.vertices.index.lookup(port_id=port_id_str)
尝试打印输出vswitch和vport变量我得到以下值
<generator object <genexpr> at 0x26d6370>)
<generator object <genexpr> at 0x26d63c0>
我在使用g.vertices.index.lookup(dpid = dpid_str)尝试检索顶点时做错了吗
答案 0 :(得分:1)
灯泡g.vertices.index.lookup()
方法返回Python generator(类型为iterator)。
使用next()
获取生成器中的下一个值:
>>> # lookup() returns an generator (can return more than 1 value)
>>> switches = self.g.vertices.index.lookup(dpid=dpid_str)
>>> switch = switches.next()
>>> ports = self.g.vertices.index.lookup(port_id=port_id_str)
>>> port = ports.next()
或者您可以使用list()
将generator
变为Python list
:
>>> switches = self.g.vertices.index.lookup(dpid=dpid_str)
>>> list(switches)
>>> ports = self.g.vertices.index.lookup(port_id=port_id_str)
>>> list(ports)
但是,如果索引项是唯一的,您可以使用get_unique()
方法返回一个值或None
:
# returns 1 vertex or None (errors if more than 1)
>>> vertex = g.vertices.index.get_unique( "dpid", dpid_str)
请参阅...
Rexter索引文档:
index.lookup()
https://github.com/espeed/bulbs/blob/afa28ccbacd2fb92e0039800090b8aa8bf2c6813/bulbs/titan/index.py#L251
index.get_unique()
https://github.com/espeed/bulbs/blob/afa28ccbacd2fb92e0039800090b8aa8bf2c6813/bulbs/titan/index.py#L274
注意:迭代器和生成器是Python编程基础 - 它们在任何地方都使用,并不是特定于灯泡 - 如果你是新的 对于Python编程,请参阅我对How Can I Learn to Program in Python?的回答,以获取学习用Python编程的良好在线资源列表。