首页 文章

cassandra-spring摄取命令不起作用

提问于
浏览
0

我已经 Build 了一个cassandra集群并使用spring-cassandra框架1.53 . (http://docs.spring.io/spring-data/cassandra/docs/1.5.3.RELEASE/reference/html/

我想在我的cassandra集群中写入数百万个数据集 . 使用executeAsync的解决方案运行良好,但Spring框架中的“摄取”命令听起来也很有趣 .

ingest方法利用静态PreparedStatements,它只为性能准备一次 . 数据集中的每条记录都绑定到同一个PreparedStatement,然后异步执行以获得高性能 .

我的代码:

List<List<?>> session_time_ingest = new ArrayList<List<?>>();
for (Long tokenid: listTokenID) {
List<Session_Time_Table> tempListSessionTimeTable = repo_session_time.listFetchAggregationResultMinMaxTime(tokenid);
session_time_ingest.add(tempListSessionTimeTable);
}

cassandraTemplate.ingest("INSERT into session_time (sessionid, username, eserviceid, contextroot," +
                " application_type, min_processingtime, max_processingtime, min_requesttime, max_requesttime)" +
                " VALUES(?,?,?,?,?,?,?,?,?)", session_time_ingest);

抛出异常:

`Exception in thread "main" com.datastax.driver.core.exceptions.CodecNotFoundException: Codec not found for requested operation: [varchar <-> ...tracking.Tables.Session_Time_Table]
at com.datastax.driver.core.CodecRegistry.notFound(CodecRegistry.java:679)
at com.datastax.driver.core.CodecRegistry.createCodec(CodecRegistry.java:540)
at com.datastax.driver.core.CodecRegistry.findCodec(CodecRegistry.java:520)
at com.datastax.driver.core.CodecRegistry.codecFor(CodecRegistry.java:470)
at com.datastax.driver.core.AbstractGettableByIndexData.codecFor(AbstractGettableByIndexData.java:77)
at com.datastax.driver.core.BoundStatement.bind(BoundStatement.java:201)
at com.datastax.driver.core.DefaultPreparedStatement.bind(DefaultPreparedStatement.java:126)
at org.springframework.cassandra.core.CqlTemplate.ingest(CqlTemplate.java:1057)
at org.springframework.cassandra.core.CqlTemplate.ingest(CqlTemplate.java:1077)
at org.springframework.cassandra.core.CqlTemplate.ingest(CqlTemplate.java:1068)
at ...tracking.SessionAggregationApplication.main(SessionAggregationApplication.java:68)`

我的编码与spring-cassandra doku完全相同..我不知道如何将我的对象的值映射到cassandra期望的值?!

1 回答

  • 1

    您的 Session_Time_Table 类可能是映射的POJO,但摄取方法不使用POJO映射 .

    相反,你需要提供一个矩阵,其中每一行包含的参数与在预准备语句中绑定的变量一样多,类似于:

    List<List<?>> rows = new ArrayList<List<?>>();
    
    for (Long tokenid: listTokenID) {
        Session_Time_Table obj = ... // obtain a Session_Time_Table instance
        List<Object> row = new ArrayList<Object>();
        row.add(obj.sessionid);
        row.add(obj.username);
        row.add(obj.eserviceid);
        // etc. for all bound variables
        rows.add(row);
    }
    
    cassandraTemplate.ingest(
        "INSERT into session_time (sessionid, username, eserviceid, " +
        "contextroot, application_type, min_processingtime, " +
        "max_processingtime, min_requesttime, max_requesttime) " +
        "VALUES(?,?,?,?,?,?,?,?,?)", rows);
    

相关问题