如何将唯一数据添加到 neo4j 图形数据库

How to add unique data to a neo4j graph database

我正在向我的 neo4j 数据库迭代添加数据,但我对如何覆盖或更新现有数据以及检查数据是否不存在于其中感到困惑。

基本上我有一组带有相应 ID 的电影,例如:

[
  {id: 'gameofthrones', genre: 'fantasy', release: '2017'},
  {id: 'inception', genre: 'scifi', release: '2010'},
  ...
]

我可以添加电影如下:

CREATE 
(m1:Movie {id: 'gameofthrones', genre: 'fantasy', release: '2017'}), 
(m2:Movie {id: 'inception', genre: 'scifi', release: '2010'}) 

但是,当我 运行 脚本两次时,它会创建 4 个节点,而不是将其保留在两个节点。

所以我的问题是,我如何确保它检查节点 id 是否已经存在,如果存在则覆盖它而不是创建新节点?

我试过了(但只添加了属性)

// data
attributes['id']         = 'gameofthrones';
attributes['genre']     = 'fantasy';
...

// query
MERGE ( s:Movie {attributes}.id)
ON CREATE SET ( s:Movie {attributes} )

我在 NodeJS 中调用如下:

executeQuery(queryStr, {"attributes": attributes})

// cypher (nodejs)
function executeQuery(queryStr, params) {
    var qq = Q.defer();
    db.cypher({
        query: queryStr,
        params: params,
    }, function (error, results) {
        if (error) {
            qq.reject(error);
        } else {
            if (results.length != 0) {
                qq.resolve(true);
            } else {
                qq.resolve(false);
            }
        };
    });
    return qq.promise;
};

您可以使用 MERGE 子句实现此目的,如下所示

MERGE (m1:Movie {id: 'gameofthrones'})
ON CREATE SET m1.genre = 'fantasy', m1.release = '2017'

MERGE (m2:Movie {id: 'inception'})
ON CREATE SET m2.genre: 'scifi', m2.release = '2010' 

理想情况下,您希望使用参数而不是文字字符串创建查询。如果您使用 apoc.load.json

就可以做到这一点
with "file:///home/sample.json" as url // can be also http://url/sample.json
CALL apoc.load.json(url) yield value
UNWIND value as item
MERGE (m1:Movie {id: item.id})
ON CREATE SET m1.genre = item.genre, m1.release = item.release

带有 apoc 函数的动态属性示例:

with "file:///home/sample.json" as url // can be also http://url/sample.json
CALL apoc.load.json(url) yield value
UNWIND value as item
MERGE (m1:Movie {id: item.id})
ON CREATE SET m1 += apoc.map.clean(item,['id'],[])

或者如果您没有 apoc 插件:

with "file:///home/sample.json" as url // can be also http://url/sample.json
CALL apoc.load.json(url) yield value
UNWIND value as item
MERGE (m1:Movie {id: item.id})
ON CREATE SET m1 += item

请注意,id 将首先与 ON CREATE SET 合并,然后更新,您希望避免写一个 属性 两次,使用 apoc 和上面的查询我们可以实现

您必须将查询更改为此

MERGE ( s:Movie {attributes}.id)
ON CREATE SET s += {attributes}
ON MATCH SET s += {attributes} // optional

这应该可行,但您应该使用 apoc.map.clean(),这样您就不会设置 id 两次,这可能会导致一些问题。

MERGE ( s:Movie {attributes}.id)
ON CREATE SET s += apoc.map.clean({attributes},['id'],[])