0

我正在使用下面的代码尝试从 Neo4jClient 调用 TimeTree。

其他简单的调用工作,但这个只是什么都不做。没有错误,也没有新的时间对象。

public class Trip
{
    public long Id { get; set; }
    public string Name { get; set; }
}

public class UUID
{
    public long Value { get; set; }
}

public class TimeStamp
{
    //public long Id { get; set; }
    //public string Name { get; set; }

    public long time { get; set; }
}


public class User
{
    public long Id { get; set; }
    public string Name { get; set; }
    public int Age { get; set; }
    public string Email { get; set; }
}

class Program
{
    static void Main(string[] args)
    {

        var client = new Neo4jClient.GraphClient(new Uri("http://localhost:7474/db/data"), "neo4j", "password");
        client.Connect();


        client.Cypher
            .Match("(n)")
            .DetachDelete("n")
            .ExecuteWithoutResults();


        var newUser = new User { Id = 456, Name = "Jim" };
        client.Cypher
            .Create("(user:User {newUser})")
            .WithParam("newUser", newUser)
            .ExecuteWithoutResults();

        var newTrip = new Trip { Id = 001, Name = "Antibes" };
        client.Cypher
            .Match("(traveller:User)")
            .Where((User traveller) => traveller.Id == 456)
            .Create("(traveller)-[:TRAVELLING]->(travelling:Trip {newTrip})")
            .WithParam("newTrip", newTrip)
            .ExecuteWithoutResults();

        var tstamp = client.Cypher
              .Match("(trip:Trip)")
              .Where((Trip trip) => trip.Name == "Antibes")
              .With("trip AS tripToLink")
              .Call("ga.timetree.events.attach({ node: 'tripToLink', time: 1483828451000, relationshipType: \"ARRIVING_ON\"})")
              .Yield("node")
              .Return(node => new { TimeStamp = node.As<TimeStamp>() });

以下在 Shell 中确实有效:

MATCH (trip:Trip)
WHERE trip.Name = "Antibes"
WITH trip
CALL ga.timetree.events.attach({node: trip, time: 1483828451000 , relationshipType: "ARRIVING_ON"})
YIELD node RETURN node
4

1 回答 1

1

首先 - 把所有代码放在那里的工作做得很好,它让生活变得更轻松了!

我相信这里的问题有两个:tstamp你拥有的变量是类型:(ICypherFluentQuery<???>我使用'?'来表示你正在创建的匿名类型) - 所以你需要实际得到结果才能得到任何响应。在您打电话之前,您.Results实际上并没有执行查询。

通常,我喜欢按照您的方式创建查询,然后执行以下操作:

var tstamp = client.Cypher....
    /* rest of the query here */

var tStampResults = tstamp.Results;

当你这样做时,你可能会得到一个错误:

BadInputException: java.lang.String cannot be cast to org.neo4j.graphdb.Node

如果您查看您在控制台中运行的查询的响应 - 您会看到您实际返回:

╒═══════════════════════════╕
│"node"                     │
╞═══════════════════════════╡
│{"Id":"1","Name":"Antibes"}│
└───────────────────────────┘

那是因为您正在YIELDing node,所以您只能强制转换为Trip类型:

var query = client.Cypher
    .Match("(trip:Trip)")
    .Where((Trip trip) => trip.Name == "Antibes")
    .With("trip")
    .Call("ga.timetree.events.attach({node: trip, time: 1483828451000 , relationshipType: \"ARRIVING_ON\"})")
    .Yield("node")
    .Return(node => node.As<Trip>()); //<-- Change here
于 2017-01-10T11:03:46.950 回答