灯泡:用get_or_create()替换create()

时间:2014-06-11 08:40:48

标签: python cassandra titan bulbs

我正在使用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。我正在使用灯泡包。

from bulbs.titan import Graph

我想用get_or_create()

替换我的create()调用

我在网上看到了以下示例。

 james = g.vertices.create(name="James")

如下所示。

 james = g.vertices.get_or_create('name',"James",{'name':'james')

现在我的顶点创建功能如下。

self.g.vertices.create({ 'desc':desc,
                         'port_id':port_id,
                         'state':state,
                         'port_state':port_state,
                         'number':number,
                         'type':'port'} )

如果我想重写上面的函数调用(create()),它使用get_or_create()

获取多个键值对

我首先需要创建一个密钥。或者它默认检查所有属性。

我是python的初学者,我并不是真正意义上的 get_or_create('name',"James",{'name':'james')

为什么函数属性是这样指定的。?

get_or_create()的函数定义是here

任何帮助将不胜感激。

1 个答案:

答案 0 :(得分:2)

Bulbs的get_or_create()'方法在索引中查找一个顶点,如果它不存在则创建它。您可以使用与get_or_create()相同的方式提供dict Python create()数据库属性。

请参阅...

以下是一些例子......

>>> # a vertex where name is "James" doesn't exist so lookup() returns None
>>> g.vertices.index.lookup("name", "James")  
None

>>> # a vertex where name is "James" doesn't exist so a vertex is created
>>> data = dict(name="James", city="Dallas")
>>> james = g.vertices.get_or_create("name", "James", data)
>>> james.data()
{'city': 'Dallas', 'name': 'James'}

>>> james.eid   # returns the element ID for the james vertex    
>>> 1       

>>> # a vertex where name is "James" DOES exist so vertex is returned unmodified 
>>> data = dict(name="James", city="Dallas", age=35)
>>> james = g.vertices.get_or_create("name", "James", data)
>>> james.data()         # note age=35 was not added to the vertex properties
{'city': 'Dallas', 'name': 'James'}     

>>> # one way to update the vertex properities
>>> james.age = 35   
>>> james.save()

>>> james.data()
>>> {'city': 'Dallas', 'age': 35, 'name': 'James'}

>>> # a way to update the vertex properties if you only have the vertex ID
>>> # the vertex ID for the james vertex is 1
>>> data = dict(name="James", city="Dallas", age=35)
>>> g.vertices.update(1, data)           

>>> james = g.vertices.get(1)
>>> james.data()
>>> {'city': 'Dallas', 'age': 35, 'name': 'James'}