我正在使用c3p0来处理多线程环境中的数据库连接池。问题可能与其他池化库有关,但这就是我所拥有的。
最近,我需要直接或间接使用c3p0对此类线程实施interrupt离子处理,并注意到interrupt()
尝试c3p0Datasource.getConnection()
时调用Connection
从池中获取InterruptedException
,它会抛出wait()
。
显然,这是因为at java.lang.Object.wait(Native Method)
at com.mchange.v2.resourcepool.BasicResourcePool.awaitAvailable(BasicResourcePool.java:1414)
{{1}}
冷却。问题是你如何正确处理这个问题 - 两种情况都是a)你希望在线程终止之前继续处理事务,以及b)你想要中止。
我已经尝试了一个似乎工作正常的解决方案(发布为答案) - 实际上,我认为这个主题是关闭的。请随意填写,谢谢!
答案 0 :(得分:3)
我通过在1秒内触发大量Connection
个请求进行了一个简单的测试,每次执行SELECT时确保池瓶颈,然后调用interrupt()
。
我发现connection
对象在InterruptedException
被捕获后很好并且花花公子,即使堆栈跟踪显示我在awaitAvailable(..)
崩溃了c3p0。在这第二次我检查他们的来源,当然,他们处理InterruptedException
。他们甚至会发出适当的警告:
WARNING: com.mchange.v2.resourcepool.BasicResourcePool@5bcf4b61 -- an attempt to checkout a resource was interrupted, and the pool is still live: some other thread must have either interrupted the Thread attempting checkout!
告诉我们它仍然存在,虽然介于很多单词模糊之间。解决了。
无论如何,这是测试。
ComboPooledDataSource ds = new ComboPooledDataSource();
// testing with various pool sizes - same effect
ds.setMinPoolSize(1);
ds.setMaxPoolSize(5);
ds.setInitialPoolSize(2);
Thread connectingThread = new Thread() {
public void run() {
Connection cnxn = null;
while (true) {
try {
cnxn = ds.getConnection();
System.out.println("Got connection.);
executeQuery(cnxn);
} catch (SQLException e) {
System.out.println("Got exception.");
e.printStackTrace();
// SOLUTION:
Throwable cause = e.getCause();
if (cause instanceof InterruptedException) {
System.out.println("Caught InterruptedException! Cnxn is " + cnxn);
// note that cnxn is a com.mchange.v2.c3p0.impl.NewProxyConnection
// also note that it's perfectly healthy.
//
// You may either want to:
// a) use the cnxn to submit your the query
executeQuery(cnxn);
cnxn.close()
// b) handle a proper shutdown
cnxn.close();
}
break;
}
}
};
};
connectingThread.start();
try {
Thread.sleep(1000);
} catch (InterruptedException e) { e.printStackTrace(); }
connectingThread.interrupt();