我正在尝试创建我的第一个连接池。我正在使用 Tomcat 7 和 MySQL DB 创建一个 Java Web 应用程序,并且我想创建最简单的连接池。我看过几个教程,但对我来说并不是很清楚,所以我希望你确认我是否做得很好。
我编写了以下类作为连接池管理器:
package dao.mysql;
import java.sql.Connection;
import java.sql.SQLException;
import org.apache.tomcat.jdbc.pool.DataSource;
import org.apache.tomcat.jdbc.pool.PoolProperties;
public class MySQLConnectionPool {
private static DataSource datasource;
private static String driver = "com.mysql.jdbc.Driver";
private static String url = "jdbc:mysql://localhost:3306/mydb";
private static String username = "user";
private static String password = "password";
public MySQLConnectionPool() {
datasource = new DataSource(configurePoolProperties(driver, url, username, password));
}
private PoolProperties configurePoolProperties(String driver, String url, String username, String password) {
PoolProperties properties = new PoolProperties();
properties.setDriverClassName(driver);
properties.setUrl(url);
properties.setUsername(username);
properties.setPassword(password);
return properties;
}
public static synchronized Connection getConnection() {
Connection connection = null;
try {
connection = datasource.getConnection();
} catch (SQLException ex) {
System.out.println("Error while getting a connection from the pool! \nSQL state:" + ex.getSQLState() + "\nMESSAGE" + ex.getMessage());
}
return connection;
}
}
我不确定static属性和synchronized。
而且我不确定池的“客户端”类。我知道他们只需要使用
Connection con = MySQLConnectionPool.getConnection();
最后使用关闭此连接
con.close();
就这样?而且,有没有更简单或更好的方法来做到这一点?
非常感谢!