我想在 Helper 类中为 Oracle DB 设置连接池。
public class DbConnection {
// Data source for the pooled connection
private static OracleDataSource dataSource;
// Host
private static final String dbHost = "bla";
// Port
private static final String dbPort = "1521";
// DBname
private static final String database = "orcl";
// DBuser
private static final String dbUser = "bla";
// DBpassword
private static final String dbPassword = "bla";
static {
OracleConnectionPoolDataSource opds;
try {
opds = new OracleConnectionPoolDataSource();
opds.setURL("jdbc:oracle:thin:@" + dbHost + ":" + dbPort + ":"
+ database);
opds.setUser(dbUser);
opds.setPassword(dbPassword);
dataSource = opds;
} catch (SQLException e1) {
System.err.println("Connection failed!");
}
try {
// Load driver
Class.forName("oracle.jdbc.driver.OracleDriver");
} catch (ClassNotFoundException e) {
System.out.println("Driver not found!");
}
}
public static Connection getConnection() throws SQLException {
return dataSource.getConnection();
}
}
这是有效的,但速度不是很快,所以我想我缺少一些让池工作的东西。有什么建议吗?
所以我的外部类只调用 getConnection() 方法 ...
Connection conn = DbConnection.getConnection();
...
conn.close();
你不应该直接使用
ConnectionPoolDataSource
。它旨在供应用程序服务器中的连接池使用。它本身不提供连接池。另见https://stackoverflow.com/a/12651163/466862
换句话说:您需要使用实际的连接池,如 DBCP、c3p0 或 BoneCP,或 UCP(通用连接池)。
oracle.jdbc.pool.OracleDataSource.setConnectionCachingEnabled
文档说明如下:
已弃用。请改用 Oracle Universal Connection Pool。
您可以下载Oracle数据库UCP并创建您的
DataSource
如下:
import oracle.jdbc.pool.OracleDataSource;
import oracle.ucp.jdbc.PoolDataSource;
import oracle.ucp.jdbc.PoolDataSourceFactory;
PoolDataSource poolDataSource = PoolDataSourceFactory.getPoolDataSource();
poolDataSource.setConnectionFactoryClassName(OracleDataSource.class.getName());
poolDataSource.setURL("jdbc:oracle:thin:@localhost:1521:XE");
poolDataSource.setUser("SYSTEM");
poolDataSource.setPassword("****");
您需要使用 OracleDataSource(不是 OracleConnectionPoolDataSource)并设置 setConnectionCachingEnabled(true)。
private static OracleDataSource ods = null;
...
static {
System.out.println("OracleDataSource Initialization");
try {
ods = new OracleDataSource();
ods.setConnectionCachingEnabled(true);
ods.setConnectionCacheName("mycache");
ods.setURL("jdbc:oracle:thin:@//server.local:1521/prod");
ods.setUser("scott");
ods.setPassword("tiger");
Properties cacheProps = new Properties();
cacheProps.setProperty("MinLimit", "1");
cacheProps.setProperty("MaxLimit", "4");
cacheProps.setProperty("InitialLimit", "1");
cacheProps.setProperty("ConnectionWaitTimeout", "5");
cacheProps.setProperty("ValidateConnection", "true");
ods.setConnectionCacheProperties(cacheProps);
}
catch (SQLException e) {
e.printStackTrace();
}
}
...
public static Connection getConnection()
throws SQLException {
return ods.getConnection();
}