joh*_*ohn 7 java prepared-statement cassandra datastax-java-driver
我需要使用Datastax Java驱动程序查询Cassandra中的一个表.以下是我的代码,它的工作正常 -
public class TestCassandra {
private Session session = null;
private Cluster cluster = null;
private static class ConnectionHolder {
static final TestCassandra connection = new TestCassandra();
}
public static TestCassandra getInstance() {
return ConnectionHolder.connection;
}
private TestCassandra() {
Builder builder = Cluster.builder();
builder.addContactPoints("127.0.0.1");
PoolingOptions opts = new PoolingOptions();
opts.setCoreConnectionsPerHost(HostDistance.LOCAL, opts.getCoreConnectionsPerHost(HostDistance.LOCAL));
cluster = builder.withRetryPolicy(DowngradingConsistencyRetryPolicy.INSTANCE).withPoolingOptions(opts)
.withLoadBalancingPolicy(new TokenAwarePolicy(new DCAwareRoundRobinPolicy("DC2")))
.withReconnectionPolicy(new ConstantReconnectionPolicy(100L))
.build();
session = cluster.connect();
}
private Set<String> getRandomUsers() {
Set<String> userList = new HashSet<String>();
for (int table = 0; table < 14; table++) {
String sql = "select * from testkeyspace.test_table_" + table + ";";
try {
SimpleStatement query = new SimpleStatement(sql);
query.setConsistencyLevel(ConsistencyLevel.QUORUM);
ResultSet res = session.execute(query);
Iterator<Row> rows = res.iterator();
while (rows.hasNext()) {
Row r = rows.next();
String user_id = r.getString("user_id");
userList.add(user_id);
}
} catch (Exception e) {
System.out.println("error= " + ExceptionUtils.getStackTrace(e));
}
}
return userList;
}
}
Run Code Online (Sandbox Code Playgroud)
我在我的主要应用程序中使用上面这样的类 -
TestCassandra.getInstance().getRandomUsers();
Run Code Online (Sandbox Code Playgroud)
有什么办法,我可以使用PreparedStatement
的getRandomUsers
高效率?我想我需要确保我PreparedStatement
只创建一次而不是多次创建它.在我当前的架构中,最好的设计是什么?如何使用它?
Lyu*_*rov 14
您可以创建所需语句的缓存(这是一个相当基本的例子来提供您的想法).让我们从创建将用作缓存的类开始.
private class StatementCache {
Map<String, PreparedStatement> statementCache = new HashMap<>();
public BoundStatement getStatement(String cql) {
PreparedStatement ps = statementCache.get(cql);
// no statement cached, create one and cache it now.
if (ps == null) {
ps = session.prepare(cql);
statementCache.put(cql, ps);
}
return ps.bind();
}
}
Run Code Online (Sandbox Code Playgroud)
然后在您的单例中添加一个实例:
public class TestCassandra {
private Session session = null;
private Cluster cluster = null;
private StatementCache psCache = new StatementCache();
// rest of class...
Run Code Online (Sandbox Code Playgroud)
最后使用你的函数缓存:
private Set<String> getRandomUsers(PreparedStatement ps) {
// lots of code.
try {
SimpleStatement query = new SimpleStatement(sql);
query.setConsistencyLevel(ConsistencyLevel.QUORUM);
// abstract the handling of the cache to it's own class.
// this will need some work to make sure it's thread safe
// as currently it's not.
ResultSet res = session.execute(psCache.getStatement(sql));
Run Code Online (Sandbox Code Playgroud)