JDBC, Java Database Connecive, Java 数据库连接,是一组专门负责连接并操作数据库的标准,在整个JDBC 中实际上大量的提供的是接口。针对于各个不同的数据库生产商 ,只要想使用JAVA 进行数据库的开发,则对这些标准有所支持。
使用JDBC我们可以在java中使用统一的API来访问数据库,进行CURD操作,而不用去关系底层是oracle、DB2、SQLServer、还是MYSQL。
使用JDBC编程的基本步骤如下(以MySql为例):
前置条件:
安装mysql
在maven依赖中引入mysql驱动
mysql
mysql-connector-java
5.1.25
在进行JDBC 操作的时候可以按照以下的步骤完成:
1、加载数据库驱动程序,加载的时候需要将驱动程序配置到classpath之中
Class.forName("com.mysql.jdbc.Driver");
2、连接数据库,通过Connection 接口和 DriverManager 类完成
String url = "jdbc:mysql://localhost:3306/web_application?useSSL=false&useUnicode=true&characterEncoding=UTF-8";
Connection connection = DriverManager.getConnection(url,"root","password");
3、操作数据库,通过Statement、PreparedStatement、ResultSet 三个接口完成
Statement statement = connection.createStatement();
String createUsersSql = "create table " + User.$.tableName + "("
+ User.$.id + " int(32) primary key not null auto_increment,"
+ User.$.userName + " varchar(32) not null,"
+ User.$.password + " varchar(16) not null,"
+ User.$.nickname + " varchar(32) not null,"
+ User.$.sex + " varchar (16),"
+ User.$.hobby + " varchar(32),"
+ User.$.iconPath + " text"
+ ");";
statement.execute(createUsersSql);
一般来说,我们使用JDBC api时,使用的也就是原生的SQL语句,主要通过Statement、PreparedStatement、ResultSet等接口,一般为了防止SQL注入,使用PreparedStatement较多。
4、关闭数据库,在实际开发中数据库资源非常有限,操作完之后必须关闭
if (statement != null){
try {
statement.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
在使用完毕后,需要关闭连接,Statement 等,一般是先关闭ResultSet ,再关闭Statement ,再关闭连接
数据库连接是一种非常重要的资源,一般来说使用完毕之后需要释放,下次使用时又要重新申请,同时系统中如果;连接过多的话会影响数据库性能,因此在实际的开发中我们一般使用数据库连接池框架,下面就以HikariCP为例介绍一下简单的使用。
1 引入maven依赖
<!-- https://mvnrepository.com/artifact/com.zaxxer/HikariCP -->
<dependency>
<groupId>com.zaxxer</groupId>
<artifactId>HikariCP</artifactId>
<version>2.5.1</version>
</dependency>
2 编写配置文件
resources编写hikari.properties配置文件
jdbcUrl=jdbc:mysql://localhost:3306/web_application?useSSL=false&useUnicode=true&characterEncoding=UTF-8
driverClassName=com.mysql.jdbc.Driver
dataSource.user=root
dataSource.password=510726
dataSource.databaseName=web_application
dataSource.serverName=localhost
dataSource.maximumPoolSize=10
3 初始化获取HikariDataSource及获取连接
// 如何获得属性文件的输入流?
// 通常情况下使用类的加载器的方式进行获取:
try (InputStream is = DBManager.class.getClassLoader().getResourceAsStream("hikari.properties")) {
// 加载属性文件并解析:
Properties props = new Properties();
props.load(is);
HikariConfig config = new HikariConfig(props);
sHikariDataSource = new HikariDataSource(config);
} catch (IOException e) {
e.printStackTrace();
}
拿到HikariDataSource就可以通过其getConnection()获取连接了。