Web技术概览
JDBC概述 数据的持久化
Java中的数据存储技术
JDBC介绍
JDBC(Java Database Connectivity)是一个独立于特定数据库管理系统、通用的SQL数据库存取和操作的公共接口 (一组API),定义了用来访问数据库的标准Java类库,(java.sql,javax.sql )使用这些类库可以以一种标准 的方法、方便地访问数据库资源。
JDBC为访问不同的数据库提供了一种统一的途径 ,为开发者屏蔽了一些细节问题。
JDBC的目标是使Java程序员使用JDBC可以连接任何提供了JDBC驱动程序 的数据库系统,这样就使得程序员无需对特定的数据库系统的特点有过多的了解,从而大大简化和加快了开发过程。
如果没有JDBC,那么Java程序访问数据库时是这样的:
JDBC体系结构
JDBC接口(API)包括两个层次:
面向应用的API :Java API,抽象接口,供应用程序开发人员使用(连接数据库,执行SQL语句,获得结果)。
面向数据库的API :Java Driver API,供开发商开发数据库驱动程序用。
JDBC是sun公司提供一套用于数据库操作的接口,java程序员只需要面向这套接口编程即可。
不同的数据库厂商,需要针对这套接口,提供不同实现。不同的实现的集合,即为不同数据库的驱动。 ————面向接口编程
JDBC程序编写步骤
补充:ODBC(Open Database Connectivity ,开放式数据库连接),是微软在Windows平台下推出的。使用者在程序中只需要调用ODBC API,由 ODBC 驱动程序将调用转换成为对特定的数据库的调用请求。
获取数据库连接 要素一:Driver接口实现类 Driver接口介绍
java.sql.Driver 接口是所有 JDBC 驱动程序需要实现的接口。这个接口是提供给数据库厂商使用的,不同数据库厂商提供不同的实现。
在程序中不需要直接去访问实现了 Driver 接口的类,而是由驱动程序管理器类(java.sql.DriverManager)去调用这些Driver实现。
Oracle的驱动:oracle.jdbc.driver.OracleDriver
MySQL的驱动: com.mysql.jdbc.Driver
将上述jar包拷贝到Java工程的一个目录中,习惯上新建一个lib文件夹。
在驱动jar上右键–>Add as Library
注意:如果是Dynamic Web Project(动态的web项目)话,则是把驱动jar放到WebContent(有的开发工具叫WebRoot)目录中的WEB-INF目录中的lib目录下即可。
加载与注册JDBC驱动
要素二:URL
要素三:用户名和密码
user,password可以用“属性名=属性值”方式告诉数据库
可以调用 DriverManager 类的 getConnection() 方法建立到数据库的连接
数据库连接方式举例 方式一 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 @Test public void testConnection1 () { try { Driver driver = new com.mysql.cj.jdbc.Driver(); String url = "jdbc:mysql://localhost:3306/test" ; Properties info = new Properties(); info.setProperty("user" , "root" ); info.setProperty("password" , "12345678" ); Connection conn = driver.connect(url, info); System.out.println(conn); } catch (SQLException e) { e.printStackTrace(); } }
说明:上述代码中显式出现了第三方数据库的API
方式二 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 @Test public void testConnection2 () { try { String className = "com.mysql.cj.jdbc.Driver" ; Class clazz = Class.forName(className); Driver driver = (Driver) clazz.newInstance(); String url = "jdbc:mysql://localhost:3306/test" ; Properties info = new Properties(); info.setProperty("user" , "root" ); info.setProperty("password" , "12345678" ); Connection conn = driver.connect(url, info); System.out.println(conn); } catch (Exception e) { e.printStackTrace(); } }
说明:相较于方式一,这里使用反射实例化Driver ,不在代码中体现第三方数据库的API。体现了面向接口编程思想。
方式三 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 @Test public void testConnection3 () { try { String url = "jdbc:mysql://localhost:3306/test" ; String user = "root" ; String password = "12345678" ; String driverName = "com.mysql.cj.jdbc.Driver" ; Class clazz = Class.forName(driverName); Driver driver = (Driver) clazz.newInstance(); DriverManager.registerDriver(driver); Connection conn = DriverManager.getConnection(url, user, password); System.out.println(conn); } catch (Exception e) { e.printStackTrace(); } }
说明:使用DriverManager实现数据库的连接 。体会获取连接必要的4个基本要素。
方式四 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 @Test public void testConnection4 () { try { String url = "jdbc:mysql://localhost:3306/test" ; String user = "root" ; String password = "12345678" ; String driverName = "com.mysql.cj.jdbc.Driver" ; Class.forName(driverName); Connection conn = DriverManager.getConnection(url, user, password); System.out.println(conn); } catch (Exception e) { e.printStackTrace(); } }
说明:不必显式的注册驱动了。因为在DriverManager的源码中已经存在静态代码块,实现了驱动的注册。
方式五(最终版) 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 @Test public void testConnection5 () throws Exception { InputStream is = TestConnection.class.getClassLoader().getResourceAsStream("jdbc.properties" ); Properties pros = new Properties(); pros.load(is); String user = pros.getProperty("user" ); String password = pros.getProperty("password" ); String url = pros.getProperty("url" ); String driverClass = pros.getProperty("driverClass" ); Class.forName(driverClass); Connection conn = DriverManager.getConnection(url,user,password); System.out.println(conn); }
其中,配置文件声明在工程的src目录下:【jdbc.properties】
1 2 3 4 user =root password =abc123 url =jdbc:mysql://localhost:3306/test driverClass =com.mysql.cj.jdbc.Driver
说明:使用配置文件的方式保存配置信息,在代码中加载配置文件
使用配置文件的好处:
①实现了代码和数据的分离 ,如果需要修改配置信息,直接在配置文件中修改,不需要深入代码 ②如果修改了配置信息,省去重新编译的过程 。
PreparedStatement实现CRUD操作 操作/访问数据库
Statement操作数据表的弊端
通过调用 Connection 对象的 createStatement() 方法创建该对象。该对象用于执行静态的 SQL 语句,并且返回执行结果。
Statement 接口中定义了下列方法用于执行 SQL 语句:
1 2 int excuteUpdate(String sql ):执行更新操作INSERT 、UPDATE、DELETE ResultSet executeQuery(String sql ):执行查询操作SELECT
但是使用Statement操作数据表存在弊端:
问题一:存在拼串操作,繁琐
问题二:存在SQL注入问题
SQL 注入是利用某些系统没有对用户输入的数据进行充分的检查,而在用户输入数据中注入非法的 SQL 语句段或命令(如:SELECT user, password FROM user_table WHERE user=’a’ OR 1 = ‘ AND password = ‘ OR ‘1’ = ‘1’) ,从而利用系统的 SQL 引擎完成恶意行为的做法。
对于 Java 而言,要防范 SQL 注入,只要用 PreparedStatement(从Statement扩展而来) 取代 Statement 就可以了。
代码演示:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 public class StatementTest { @Test public void testLogin () { Scanner scan = new Scanner(System.in); System.out.print("用户名:" ); String userName = scan.nextLine(); System.out.print("密 码:" ); String password = scan.nextLine(); String sql = "SELECT user,password FROM user_table WHERE USER = '" + userName + "' AND PASSWORD = '" + password + "'" ; User user = get(sql, User.class); if (user != null ) { System.out.println("登陆成功!" ); } else { System.out.println("用户名或密码错误!" ); } } public <T> T get (String sql, Class<T> clazz) { T t = null ; Connection conn = null ; Statement st = null ; ResultSet rs = null ; try { InputStream is = StatementTest.class.getClassLoader().getResourceAsStream("jdbc.properties" ); Properties pros = new Properties(); pros.load(is); String user = pros.getProperty("user" ); String password = pros.getProperty("password" ); String url = pros.getProperty("url" ); String driverClass = pros.getProperty("driverClass" ); Class.forName(driverClass); conn = DriverManager.getConnection(url, user, password); st = conn.createStatement(); rs = st.executeQuery(sql); ResultSetMetaData rsmd = rs.getMetaData(); int columnCount = rsmd.getColumnCount(); if (rs.next()) { t = clazz.newInstance(); for (int i = 0 ; i < columnCount; i++) { String columnName = rsmd.getColumnLabel(i + 1 ); Object columnVal = rs.getObject(columnName); Field field = clazz.getDeclaredField(columnName); field.setAccessible(true ); field.set(t, columnVal); } return t; } } catch (Exception e) { e.printStackTrace(); } finally { if (rs != null ) { try { rs.close(); } catch (SQLException e) { e.printStackTrace(); } } if (st != null ) { try { st.close(); } catch (SQLException e) { e.printStackTrace(); } } if (conn != null ) { try { conn.close(); } catch (SQLException e) { e.printStackTrace(); } } } return null ; } }
综上:
PreparedStatement 介绍
可以通过调用 Connection 对象的 preparedStatement(String sql) 方法获取 PreparedStatement 对象
PreparedStatement 接口是 Statement 的子接口,它表示一条预编译过的 SQL 语句
PreparedStatement 对象所代表的 SQL 语句中的参数用问号(?)来表示,调用 PreparedStatement 对象的 setXxx() 方法来设置这些参数。setXxx() 方法有两个参数,第一个参数是要设置的 SQL 语句中的**参数的索引(从 1 开始)**,第二个是设置的 SQL 语句中的参数的值
PreparedStatement vs Statement
Java与SQL对应数据类型
Java类型
SQL类型
boolean
BIT
byte
TINYINT
short
SMALLINT
int
INTEGER
long
BIGINT
String
CHAR,VARCHAR,LONGVARCHAR
byte array
BINARY , VAR BINARY
java.sql.Date
DATE
java.sql.Time
TIME
java.sql.Timestamp
TIMESTAMP
PreparedStatement实现增删改
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 public static void Insert () throws Exception { Connection conn = JDBCUtils.getConnection(); String sql = "insert into customers(name,email,birth)values(?,?,?)" ; PreparedStatement preparedStatement = conn.prepareStatement(sql); preparedStatement.setString(1 ,"小新" ); preparedStatement.setString(2 ,"1096463510@qq.com" ); SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd" ); java.util.Date date = sdf.parse("1999-10-29" ); preparedStatement.setDate(3 ,new Date(date.getTime())); preparedStatement.execute(); JDBCUtils.CloseResource(conn,preparedStatement); }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 public void update (String sql,Object ... args) { Connection conn = null ; PreparedStatement ps = null ; try { conn = JDBCUtils.getConnection(); ps = conn.prepareStatement(sql); for (int i = 0 ;i < args.length;i++){ ps.setObject(i + 1 , args[i]); } ps.execute(); } catch (Exception e) { e.printStackTrace(); }finally { JDBCUtils.closeResource(conn, ps); } }
PreparedStatement实现查询
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 import bean.Customer;import util.JDBCUtils;import java.sql.Connection;import java.sql.Date;import java.sql.PreparedStatement;import java.sql.ResultSet;public class CustomerForQuery { public static void main (String[] args) { Query(); } public static void Query () { Connection conn = null ; PreparedStatement preparedStatement = null ; ResultSet resultSet = null ; try { conn = JDBCUtils.getConnection(); String sql = "select id,name,email,birth from customers where id = ?" ; preparedStatement = conn.prepareStatement(sql); preparedStatement.setObject(1 ,1 ); resultSet = preparedStatement.executeQuery(); if (resultSet.next()) { int id = resultSet.getInt(1 ); String name = resultSet.getString(2 ); String email = resultSet.getString(3 ); Date birth = resultSet.getDate(4 ); Customer customer = new Customer(id, name, email, birth); System.out.println(customer); } }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement,resultSet); } } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 import bean.Customer;import util.JDBCUtils;import java.lang.reflect.Field;import java.sql.*;public class CustomerForQuery { public static void main (String[] args) { System.out.println(QueryForCustomers("select id,name,email,birth from customers where id = ?" , 1 )); } public static Customer QueryForCustomers (String sql, Object ...args) { Connection conn = null ; PreparedStatement preparedStatement = null ; ResultSet resultSet = null ; try { conn = JDBCUtils.getConnection(); preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++){ preparedStatement.setObject(i + 1 , args[i]); } resultSet = preparedStatement.executeQuery(); ResultSetMetaData metaData = resultSet.getMetaData(); int columnCount = metaData.getColumnCount(); if (resultSet.next()) { Customer customer = new Customer(); for (int i = 0 ; i < columnCount; i++) { Object columnValue = resultSet.getObject(i + 1 ); String columnName = metaData.getColumnName(i + 1 ); Field field = Customer.class.getDeclaredField(columnName); field.setAccessible(true ); field.set(customer,columnValue); } return customer; } }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement,resultSet); } return null ; } }
针对表的字段名和类的属性名不一致的情况:
必须声明sql时,使用类的属性名来命名字段的别名
使用ResultSetMetaData时,需要使用getColumnLabel()
来替换getColumnName()
,获取列的别名
如果sql没有给字段起别名,getColumnLabel()
获取的就是列名
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 import bean.Order;import util.JDBCUtils;import java.lang.reflect.Field;import java.sql.*;public class OrderForQuery { public static void main (String[] args) { String sql = "select order_id orderId,order_name orderName,order_date orderDate from `order` where order_id = ?" ; Order order = QueryForOrders(sql,1 ); System.out.println(order); } public static Order QueryForOrders (String sql, Object ...args) { Connection conn = null ; PreparedStatement preparedStatement = null ; ResultSet resultSet = null ; try { conn = JDBCUtils.getConnection(); preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++){ preparedStatement.setObject(i+1 ,args[i]); } resultSet = preparedStatement.executeQuery(); ResultSetMetaData resultSetMetaData = resultSet.getMetaData(); int columnCount = resultSetMetaData.getColumnCount(); if (resultSet.next()){ Order order = new Order(); for (int i = 0 ; i < columnCount; i++){ Object columnValue = resultSet.getObject(i + 1 ); String columnName = resultSetMetaData.getColumnLabel(i + 1 ); Field field = Order.class.getDeclaredField(columnName); field.setAccessible(true ); field.set(order,columnValue); } return order; } }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement,resultSet); } return null ; } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 public <T> T getInstance (Class<T> clazz, String sql, Object... args) { Connection conn = null ; PreparedStatement ps = null ; ResultSet rs = null ; try { conn = JDBCUtils.getConnection(); ps = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++) { ps.setObject(i + 1 , args[i]); } rs = ps.executeQuery(); ResultSetMetaData rsmd = rs.getMetaData(); int columnCount = rsmd.getColumnCount(); if (rs.next()) { T t = clazz.newInstance(); for (int i = 0 ; i < columnCount; i++) { Object columnVal = rs.getObject(i + 1 ); String columnLabel = rsmd.getColumnLabel(i + 1 ); Field field = clazz.getDeclaredField(columnLabel); field.setAccessible(true ); field.set(t, columnVal); } return t; } } catch (Exception e) { e.printStackTrace(); } finally { JDBCUtils.closeResource(conn, ps, rs); } return null ; }
说明:使用PreparedStatement实现的查询操作可以替换Statement实现的查询操作,解决Statement拼串和SQL注入问题。
ResultSet
查询需要调用PreparedStatement 的 executeQuery()
方法,查询结果是一个ResultSet 对象
ResultSet 对象以逻辑表格的形式封装了执行数据库操作的结果集,ResultSet 接口由数据库厂商提供实现
ResultSet 返回的实际上就是一张数据表 。有一个指针指向数据表的第一条记录的前面。
ResultSet 对象维护了一个指向当前数据行的游标 ,初始的时候,游标在第一行之前,可以通过 ResultSet 对象的 next()
方法移动到下一行。调用 next()
方法检测下一行是否有效。若有效,该方法返回 true,且指针下移。相当于Iterator对象的 hasNext()
和 next()
方法的结合体。
当指针指向一行时, 可以通过调用 getXxx(int index)
或 getXxx(int columnName)
获取每一列的值。
例如: getInt(1), getString(“name”)
注意:Java与数据库交互涉及到的相关Java API中的索引都从1开始。
ResultSet 接口的常用方法:
boolean next()
getString()
…
问题1:得到结果集后, 如何知道该结果集中有哪些列 ? 列名是什么?
需要使用一个描述 ResultSet 的对象, 即 ResultSetMetaData
问题2:关于ResultSetMetaData
如何获取 ResultSetMetaData : 调用 ResultSet 的 getMetaData() 方法即可
获取 ResultSet 中有多少列 :调用 ResultSetMetaData 的 getColumnCount() 方法
获取 ResultSet 每一列的列的别名是什么 :调用 ResultSetMetaData 的getColumnLabel() 方法
资源的释放
释放ResultSet, Statement,Connection。
数据库连接(Connection)是非常稀有的资源,用完后必须马上释放,如果Connection不能及时正确的关闭将导致系统宕机。Connection的使用原则是尽量晚创建,尽量早的释放。
可以在finally中关闭,保证及时其他代码出现异常,资源也一定能被关闭。
JDBC API小结
两种思想
sql是需要结合列名和表的属性名来写。注意起别名。
两种技术
JDBC结果集的元数据:ResultSetMetaData
获取列数:getColumnCount()
获取列的别名:getColumnLabel()
通过反射,创建指定类的对象,获取指定的属性并赋值
章节练习 练习题1:从控制台向数据库的表customers中插入一条数据,表结构如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 import util.JDBCUtils;import java.sql.Connection;import java.sql.PreparedStatement;import java.util.Scanner;public class exer1 { public static void main (String[] args) { Scanner scanner = new Scanner(System.in); System.out.print("请输入用户名:" ); String name = scanner.next(); System.out.print("请输入邮箱:" ); String email = scanner.next(); System.out.print("请输入生日:" ); String birth = scanner.next(); String sql = "insert into customers(name,email,birth) values (?,?,?)" ; int insert = insert(sql, name, email, birth); if (insert > 0 ){ System.out.println("添加成功!" ); } else System.out.println("添加失败~" ); } public static int insert (String sql, Object ... args) { Connection conn = null ; PreparedStatement preparedStatement = null ; try { conn = JDBCUtils.getConnection(); preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++) { preparedStatement.setObject(i + 1 , args[i]); } return preparedStatement.executeUpdate(); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement); } return 0 ; } }
练习题2:在数据库表 examstudent,进行如下操作:
代码实现1:插入一个新的student 信息
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 import util.JDBCUtils;import java.sql.Connection;import java.sql.PreparedStatement;import java.util.Scanner;public class exer2 { public static void main (String[] args) { Scanner scanner = new Scanner(System.in); System.out.println("请输入考生的详细信息:" ); System.out.print("四级/六级:" ); int Type = scanner.nextInt(); System.out.print("身份证号:" ); String IDCard = scanner.next(); System.out.print("准考证号:" ); String ExamCard = scanner.next(); System.out.print("学生姓名:" ); String StudentName = scanner.next(); System.out.print("所在城市:" ); String Location = scanner.next(); System.out.print("考试成绩:" ); int Grade = scanner.nextInt(); String sql = "insert into examstudent(Type,IDCard,ExamCard,StudentName,Location,Grade) values (?,?,?,?,?,?)" ; int insert = insert(sql, Type, IDCard, ExamCard, StudentName, Location, Grade); if (insert > 0 ){ System.out.println("信息录入成功!!" ); } else System.out.println("信息录入失败~" ); } public static int insert (String sql, Object ... args) { Connection conn = null ; PreparedStatement preparedStatement = null ; try { conn = JDBCUtils.getConnection(); preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++) { preparedStatement.setObject(i + 1 , args[i]); } return preparedStatement.executeUpdate(); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement); } return 0 ; } }
代码实现2:输入身份证号或准考证号可以查询到学生的基本信息。结果如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 import bean.ExamStudent;import util.JDBCUtils;import java.lang.reflect.Field;import java.sql.Connection;import java.sql.PreparedStatement;import java.sql.ResultSet;import java.sql.ResultSetMetaData;import java.util.Scanner;public class exer3 { public static void main (String[] args) { System.out.println("请选择您要输入的类型:" ); System.out.println("a.准考证号:" ); System.out.println("b.身份证号:" ); Scanner scanner = new Scanner(System.in); String selection = scanner.next(); if ("a" .equalsIgnoreCase(selection)){ System.out.println("请输入准考证号:" ); String examCard = scanner.next(); String sql = "select FlowID flowID,Type type,IDCard IDCard,ExamCard examCard,StudentName studentName,Location location,Grade grade from examstudent where examCard = ?" ; ExamStudent examStudent = getInstance(ExamStudent.class, sql, examCard); if (examStudent != null ){ System.out.println(examStudent); } else System.out.println("查无此人!请重新进入程序!" ); } else if ("b" .equalsIgnoreCase(selection)){ System.out.println("请输入身份证号:" ); String IDCard = scanner.next(); String sql = "select FlowID flowID,Type type,IDCard IDCard,ExamCard examCard,StudentName studentName,Location location,Grade grade from examstudent where IDCard = ?" ; ExamStudent examStudent = getInstance(ExamStudent.class, sql, IDCard); if (examStudent != null ){ System.out.println(examStudent); } else System.out.println("查无此人!请重新进入程序!" ); } else { System.out.println("您的输入有误!请重新进入程序。" ); } } public static <T> T getInstance (Class<T> clazz, String sql, Object ...args) { Connection conn = null ; PreparedStatement preparedStatement = null ; ResultSet resultSet = null ; try { conn = JDBCUtils.getConnection(); preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++){ preparedStatement.setObject(i+1 ,args[i]); } resultSet = preparedStatement.executeQuery(); ResultSetMetaData resultSetMetaData = resultSet.getMetaData(); int columnCount = resultSetMetaData.getColumnCount(); if (resultSet.next()){ T t = clazz.newInstance(); for (int i = 0 ; i < columnCount; i++){ Object columnValue = resultSet.getObject(i + 1 ); String columnName = resultSetMetaData.getColumnLabel(i + 1 ); Field field = clazz.getDeclaredField(columnName); field.setAccessible(true ); field.set(t,columnValue); } return t; } }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement,resultSet); } return null ; } }
代码实现3:完成学生信息的删除功能
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 import util.JDBCUtils;import java.sql.Connection;import java.sql.PreparedStatement;import java.util.Scanner;public class exer4 { public static void main (String[] args) { System.out.println("请输入学生的准考证号:" ); Scanner scanner = new Scanner(System.in); String examCard = scanner.next(); String sql = "delete from examstudent where examCard = ?" ; int update = update(sql, examCard); if (update > 0 ){ System.out.println("删除成功!" ); } else { System.out.println("查无此人,请重新输入!" ); } } public static int update (String sql, Object ... args) { Connection conn = null ; PreparedStatement preparedStatement = null ; try { conn = JDBCUtils.getConnection(); preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++) { preparedStatement.setObject(i + 1 , args[i]); } return preparedStatement.executeUpdate(); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement); } return 0 ; } }
操作BLOB类型字段 MySQL BLOB类型
MySQL中,BLOB是一个二进制大型对象 ,是一个可以存储大量数据的容器 ,它能容纳不同大小的数据。
插入BLOB类型的数据必须使用PreparedStatement,因为BLOB类型的数据无法使用字符串拼接写的。
MySQL的四种BLOB类型(除了在存储的最大信息量上不同外,他们是等同的)
实际使用中根据需要存入的数据大小定义不同的BLOB类型。
需要注意的是:如果存储的文件过大,数据库的性能会下降。
如果在指定了相关的Blob类型以后,还报错:xxx too large,那么在mysql的安装目录下,找my.ini文件加上如下的配置参数: max_allowed_packet=16M 。同时注意:修改了my.ini文件之后,需要重新启动mysql服务。
向数据表中插入大数据类型 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 public static void BlobInsert () throws Exception { Connection conn = JDBCUtils.getConnection(); String sql = "insert into customers(name,email,birth,photo)values(?,?,?,?)" ; PreparedStatement preparedStatement = conn.prepareStatement(sql); preparedStatement.setObject(1 ,"小新" ); preparedStatement.setObject(2 ,"1096463510@qq.com" ); preparedStatement.setObject(3 ,"1999-10-29" ); FileInputStream fileInputStream = new FileInputStream(new File("xiaoxin.jpg" )); preparedStatement.setObject(4 ,fileInputStream); preparedStatement.execute(); fileInputStream.close(); JDBCUtils.CloseResource(conn,preparedStatement); }
修改数据表中的Blob类型字段 1 2 3 4 5 6 7 8 9 10 11 12 13 14 Connection conn = JDBCUtils.getConnection(); String sql = "update customers set photo = ? where id = ?" ; PreparedStatement ps = conn.prepareStatement(sql); FileInputStream fis = new FileInputStream("coffee.png" ); ps.setBlob(1 , fis); ps.setInt(2 , 25 ); ps.execute(); fis.close(); JDBCUtils.closeResource(conn, ps);
从数据表中读取大数据类型 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 public static void BlobQuery () { Connection conn = null ; PreparedStatement preparedStatement = null ; ResultSet resultSet = null ; InputStream inputStream = null ; FileOutputStream fileOutputStream = null ; try { conn = JDBCUtils.getConnection(); String sql = "SELECT id, name, email, birth, photo FROM customers WHERE id = ?" ; preparedStatement = conn.prepareStatement(sql); preparedStatement.setInt(1 , 19 ); resultSet = preparedStatement.executeQuery(); if (resultSet.next()) { int id = resultSet.getInt("id" ); String name = resultSet.getString("name" ); String email = resultSet.getString("email" ); Date birth = resultSet.getDate("birth" ); Customer customer = new Customer(id, name, email, birth); System.out.println(customer); Blob photo = resultSet.getBlob("photo" ); inputStream = photo.getBinaryStream(); fileOutputStream = new FileOutputStream("test.jpg" ); byte [] b = new byte [1024 ]; int len; while ((len = inputStream.read(b)) != -1 ) { fileOutputStream.write(b, 0 , len); } } }catch (Exception e){ e.printStackTrace(); }finally { try { if (inputStream != null ) inputStream.close(); } catch (IOException e) { e.printStackTrace(); } try { if (fileOutputStream != null ) fileOutputStream.close(); } catch (IOException e) { e.printStackTrace(); } JDBCUtils.CloseResource(conn,preparedStatement,resultSet); } }
批量插入 批量执行SQL语句 当需要成批插入或者更新记录时,可以采用Java的批量更新 机制,这一机制允许多条语句一次性提交给数据库批量处理。通常情况下比单独提交处理更有效率。
JDBC的批量处理语句包括下面三个方法:
addBatch(String):添加需要批量处理的SQL语句或是参数;
executeBatch():执行批量处理语句;
clearBatch():清空缓存的数据
通常我们会遇到两种批量执行SQL语句的情况:
多条SQL语句的批量处理;
一个SQL语句的批量传参;
高效的批量插入 举例:向数据表中插入20000条数据
1 2 3 4 CREATE TABLE goods(id INT PRIMARY KEY AUTO_INCREMENT, NAME VARCHAR (20 ) );
层次一:Statement 1 2 3 4 5 6 Connection conn = JDBCUtils.getConnection(); Statement st = conn.createStatement(); for (int i = 1 ;i <= 20000 ;i++){ String sql = "insert into goods(name) values('name_' + " + i +")" ; st.executeUpdate(sql); }
层次二:PreparedStatement 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 public static void Insert1 () { Connection conn = null ; PreparedStatement preparedStatement = null ; try { long start = System.currentTimeMillis(); conn = JDBCUtils.getConnection(); String sql = "insert into goods(name)values(?)" ; preparedStatement = conn.prepareStatement(sql); for (int i = 1 ; i <= 1000000 ; i++) { preparedStatement.setString(1 , "name_" + i); preparedStatement.execute(); } long end = System.currentTimeMillis(); System.out.println("花费的时间为:" + (end - start)); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement); } }
层次三:Batch 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 public static void Insert2 () { Connection conn = null ; PreparedStatement preparedStatement = null ; try { long start = System.currentTimeMillis(); conn = JDBCUtils.getConnection(); String sql = "insert into goods(name)values(?)" ; preparedStatement = conn.prepareStatement(sql); for (int i = 1 ; i <= 1000000 ; i++) { preparedStatement.setString(1 , "name_" + i); preparedStatement.addBatch(); if (i % 500 == 0 ){ preparedStatement.executeBatch(); preparedStatement.clearBatch(); } } long end = System.currentTimeMillis(); System.out.println("花费的时间为:" + (end - start)); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement); } }
层次四:commit 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 public static void Insert3 () { Connection conn = null ; PreparedStatement preparedStatement = null ; try { long start = System.currentTimeMillis(); conn = JDBCUtils.getConnection(); conn.setAutoCommit(false ); String sql = "insert into goods(name)values(?)" ; preparedStatement = conn.prepareStatement(sql); for (int i = 1 ; i <= 1000000 ; i++) { preparedStatement.setString(1 , "name_" + i); preparedStatement.addBatch(); if (i % 500 == 0 ){ preparedStatement.executeBatch(); preparedStatement.clearBatch(); } } conn.commit(); long end = System.currentTimeMillis(); System.out.println("花费的时间为:" + (end - start)); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,preparedStatement); } }
数据库事务 数据库事务介绍
事务:一组逻辑操作单元,使数据从一种状态变换到另一种状态。
事务处理(事务操作): 保证所有事务都作为一个工作单元来执行,即使出现了故障,都不能改变这种执行方式。当在一个事务中执行多个操作时,要么所有的事务都**被提交(commit),那么这些修改就永久地保存下来;要么数据库管理系统将放弃所作的所有修改,整个事务 回滚(rollback)**到最初状态。
为确保数据库中数据的一致性 ,数据的操纵应当是离散的成组的逻辑单元:当它全部完成时,数据的一致性可以保持,而当这个单元中的一部分操作失败,整个事务应全部视为错误,所有从起始点以后的操作应全部回退到开始状态。
JDBC事务处理
【案例:用户AA向用户BB转账100】
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 public static void test2 () { Connection conn = null ; try { conn = JDBCUtils.getConnection(); conn.setAutoCommit(false ); String sql1 = "update user_table set balance = balance - 100 where user = ?" ; Update(conn, sql1, "AA" ); System.out.println(10 / 0 ); String sql2 = "update user_table set balance = balance + 100 where user = ?" ; Update(conn, sql2, "BB" ); System.out.println("转账成功~" ); conn.commit(); }catch (Exception e){ e.printStackTrace(); try { conn.rollback(); }catch (Exception e2){ e2.printStackTrace(); } }finally { JDBCUtils.CloseResource(conn,null ); } }
其中,对数据库操作的方法为:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 public static int Update (Connection conn, String sql, Object ...args) { PreparedStatement preparedStatement = null ; try { preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++) { preparedStatement.setObject(i + 1 , args[i]); } return preparedStatement.executeUpdate(); }catch (Exception e){ e.printStackTrace(); }finally { try { conn.setAutoCommit(true ); }catch (SQLException e){ e.printStackTrace(); } JDBCUtils.CloseResource(null ,preparedStatement); } return 0 ; }
事务的ACID属性
原子性(Atomicity) 原子性是指事务是一个不可分割的工作单位,事务中的操作要么都发生,要么都不发生。
一致性(Consistency) 事务必须使数据库从一个一致性状态变换到另外一个一致性状态。
隔离性(Isolation) 事务的隔离性是指一个事务的执行不能被其他事务干扰,即一个事务内部的操作及使用的数据对并发的其他事务是隔离的,并发执行的各个事务之间不能互相干扰。
持久性(Durability) 持久性是指一个事务一旦被提交,它对数据库中数据的改变就是永久性的,接下来的其他操作和数据库故障不应该对其有任何影响。
数据库的并发问题
对于同时运行的多个事务, 当这些事务访问数据库中相同的数据时, 如果没有采取必要的隔离机制, 就会导致各种并发问题:
脏读 : 对于两个事务 T1, T2, T1 读取了已经被 T2 更新但还没有被提交 的字段。之后, 若 T2 回滚, T1读取的内容就是临时且无效的。
不可重复读 : 对于两个事务T1, T2, T1 读取了一个字段, 然后 T2 更新 了该字段。之后, T1再次读取同一个字段, 值就不同了。
幻读 : 对于两个事务T1, T2, T1 从一个表中读取了一个字段, 然后 T2 在该表中插入 了一些新的行。之后, 如果 T1 再次读取同一个表, 就会多出几行。
数据库事务的隔离性 : 数据库系统必须具有隔离并发运行各个事务的能力, 使它们不会相互影响, 避免各种并发问题。
一个事务与其他事务隔离的程度称为隔离级别。数据库规定了多种事务隔离级别, 不同隔离级别对应不同的干扰程度, 隔离级别越高, 数据一致性就越好, 但并发性越弱。
四种隔离级别
Mysql 支持 4 种事务隔离级别。Mysql 默认的事务隔离级别为: REPEATABLE READ。
在MySql中设置隔离级别
DAO及相关实现类
DAO:Data Access Object访问数据信息的类和接口,包括了对数据的CRUD(Create、Retrival、Update、Delete),而不包含任何业务相关的信息。有时也称作:BaseDAO
作用:为了实现功能的模块化,更有利于代码的维护和升级。
BaseDAO.java 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 package dao;import util.JDBCUtils;import java.lang.reflect.Field;import java.lang.reflect.ParameterizedType;import java.lang.reflect.Type;import java.sql.*;import java.util.ArrayList;import java.util.List;public abstract class BaseDAO <T > { private Class<T> clazz = null ; { Type genericSuperclass = this .getClass().getGenericSuperclass(); ParameterizedType paramType = (ParameterizedType)genericSuperclass; Type[] typeArguments = paramType.getActualTypeArguments(); clazz = (Class<T>) typeArguments[0 ]; } public int Update (Connection conn, String sql, Object ...args) { PreparedStatement preparedStatement = null ; try { preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++) { preparedStatement.setObject(i + 1 , args[i]); } return preparedStatement.executeUpdate(); }catch (Exception e){ e.printStackTrace(); }finally { try { conn.setAutoCommit(true ); }catch (SQLException e){ e.printStackTrace(); } JDBCUtils.CloseResource(null ,preparedStatement); } return 0 ; } public T getInstance (Connection conn, String sql, Object ...args) { PreparedStatement preparedStatement = null ; ResultSet resultSet = null ; try { conn = JDBCUtils.getConnection(); preparedStatement = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++){ preparedStatement.setObject(i+1 ,args[i]); } resultSet = preparedStatement.executeQuery(); ResultSetMetaData resultSetMetaData = resultSet.getMetaData(); int columnCount = resultSetMetaData.getColumnCount(); if (resultSet.next()){ T t = clazz.newInstance(); for (int i = 0 ; i < columnCount; i++){ Object columnValue = resultSet.getObject(i + 1 ); String columnName = resultSetMetaData.getColumnLabel(i + 1 ); Field field = clazz.getDeclaredField(columnName); field.setAccessible(true ); field.set(t,columnValue); } return t; } }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(null ,preparedStatement,resultSet); } return null ; } public List<T> getForList (Connection conn, String sql, Object... args) { PreparedStatement ps = null ; ResultSet rs = null ; try { ps = conn.prepareStatement(sql); for (int i = 0 ; i < args.length; i++) { ps.setObject(i + 1 , args[i]); } rs = ps.executeQuery(); ResultSetMetaData rsmd = rs.getMetaData(); int columnCount = rsmd.getColumnCount(); ArrayList<T> list = new ArrayList<T>(); while (rs.next()) { T t = clazz.newInstance(); for (int i = 0 ; i < columnCount; i++) { Object columValue = rs.getObject(i + 1 ); String columnLabel = rsmd.getColumnLabel(i + 1 ); Field field = clazz.getDeclaredField(columnLabel); field.setAccessible(true ); field.set(t, columValue); } list.add(t); } return list; } catch (Exception e) { e.printStackTrace(); } finally { JDBCUtils.CloseResource(null , ps, rs); } return null ; } public <E> E getValue (Connection conn,String sql,Object...args) { PreparedStatement ps = null ; ResultSet rs = null ; try { ps = conn.prepareStatement(sql); for (int i = 0 ;i < args.length;i++){ ps.setObject(i + 1 , args[i]); } rs = ps.executeQuery(); if (rs.next()){ return (E) rs.getObject(1 ); } } catch (SQLException e) { e.printStackTrace(); }finally { JDBCUtils.CloseResource(null , ps, rs); } return null ; } }
CustomerDAO.java 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 package dao;import bean.Customer;import java.sql.Connection;import java.sql.Date;import java.util.List;public interface CustomerDAO { void insert (Connection conn, Customer cust) ; void deleteById (Connection conn, int id) ; void update (Connection conn,Customer cust) ; Customer getCustomerById (Connection conn,int id) ; List<Customer> getAll (Connection conn) ; Long getCount (Connection conn) ; Date getMaxBirth (Connection conn) ; }
CustomerDaoImpl.java 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 package dao;import bean.Customer;import java.sql.Connection;import java.sql.Date;import java.util.List;public class CustomerDAOImpl extends BaseDAO <Customer > implements CustomerDAO { @Override public void insert (Connection conn, Customer cust) { String sql = "insert into customers(name,email,birth)values(?,?,?)" ; Update(conn, sql, cust.getName(), cust.getEmail(), cust.getBirth()); } @Override public void deleteById (Connection conn, int id) { String sql = "delete from customers where id = ?" ; Update(conn, sql, id); } @Override public void update (Connection conn, Customer cust) { String sql = "update customers set name = ?,email = ?,birth = ? where id = ?" ; Update(conn, sql, cust.getName(), cust.getEmail(), cust.getBirth(), cust.getId()); } @Override public Customer getCustomerById (Connection conn, int id) { String sql = "select id,name,email,birth from customers where id = ?" ; Customer customer = getInstance(conn, sql, id); return customer; } @Override public List<Customer> getAll (Connection conn) { String sql = "select id,name,email,birth from customers" ; List<Customer> list = getForList(conn, sql); return list; } @Override public Long getCount (Connection conn) { String sql = "select count(*) from customers" ; return getValue(conn, sql); } @Override public Date getMaxBirth (Connection conn) { String sql = "select max(birth) from customers" ; return getValue(conn, sql); } }
数据库连接池 JDBC数据库连接池的必要性
数据库连接池技术
为解决传统开发中的数据库连接问题,可以采用数据库连接池技术。
数据库连接池的基本思想 :就是为数据库连接建立一个“缓冲池”。预先在缓冲池中放入一定数量的连接,当需要建立数据库连接时,只需从“缓冲池”中取出一个,使用完毕之后再放回去。
数据库连接池 负责分配、管理和释放数据库连接,它允许应用程序重复使用一个现有的数据库连接,而不是重新建立一个 。
数据库连接池在初始化时将创建一定数量的数据库连接放到连接池中,这些数据库连接的数量是由最小数据库连接数来设定 的。无论这些数据库连接是否被使用,连接池都将一直保证至少拥有这么多的连接数量。连接池的最大数据库连接数量 限定了这个连接池能占有的最大连接数,当应用程序向连接池请求的连接数超过最大连接数量时,这些请求将被加入到等待队列中。
数据库连接池技术的优点
1. 资源重用
由于数据库连接得以重用,避免了频繁创建,释放连接引起的大量性能开销。在减少系统消耗的基础上,另一方面也增加了系统运行环境的平稳性。
2. 更快的系统反应速度
数据库连接池在初始化过程中,往往已经创建了若干数据库连接置于连接池中备用。此时连接的初始化工作均已完成。对于业务请求处理而言,直接利用现有可用连接,避免了数据库连接初始化和释放过程的时间开销,从而减少了系统的响应时间
3. 新的资源分配手段
对于多应用共享同一数据库的系统而言,可在应用层通过数据库连接池的配置,实现某一应用最大可用数据库连接数的限制,避免某一应用独占所有的数据库资源
4. 统一的连接管理,避免数据库连接泄漏
在较为完善的数据库连接池实现中,可根据预先的占用超时设定,强制回收被占用连接,从而避免了常规数据库连接操作中可能出现的资源泄露
多种开源的数据库连接池
JDBC 的数据库连接池使用 javax.sql.DataSource 来表示,DataSource 只是一个接口,该接口通常由服务器(Weblogic, WebSphere, Tomcat)提供实现,也有一些开源组织提供实现:
DBCP 是Apache提供的数据库连接池。tomcat 服务器自带dbcp数据库连接池。速度相对c3p0较快 ,但因自身存在BUG,Hibernate3已不再提供支持。
C3P0 是一个开源组织提供的一个数据库连接池,速度相对较慢,稳定性还可以。 hibernate官方推荐使用
Proxool 是sourceforge下的一个开源项目数据库连接池,有监控连接池状态的功能,稳定性较c3p0差一点
BoneCP 是一个开源组织提供的数据库连接池,速度快
Druid 是阿里提供的数据库连接池,据说是集DBCP 、C3P0 、Proxool 优点于一身的数据库连接池,但是速度不确定是否有BoneCP快
DataSource 通常被称为数据源,它包含连接池和连接池管理两个部分,习惯上也经常把 DataSource 称为连接池
DataSource用来取代DriverManager来获取Connection,获取速度快,同时可以大幅度提高数据库访问速度。
特别注意:
数据源和数据库连接不同,数据源无需创建多个,它是产生数据库连接的工厂,因此整个应用只需要一个数据源即可。
当数据库访问结束后,程序还是像以前一样关闭数据库连接:conn.close(); 但conn.close()并没有关闭数据库的物理连接,它仅仅把数据库连接释放,归还给了数据库连接池。
C3P0数据库连接池
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 @Test public void testGetConnection () throws PropertyVetoException, SQLException { ComboPooledDataSource cpds = new ComboPooledDataSource(); cpds.setDriverClass( "com.mysql.cj.jdbc.Driver" ); cpds.setJdbcUrl( "jdbc:mysql://localhost:3306/test" ); cpds.setUser("root" ); cpds.setPassword("12345678" ); cpds.setInitialPoolSize(10 ); Connection conn = cpds.getConnection(); System.out.println(conn); }
1 2 3 4 5 6 7 8 9 10 @Test public void testGetConnection2 () throws SQLException { ComboPooledDataSource cpds = new ComboPooledDataSource("hell0c3p0" ); Connection conn = cpds.getConnection(); System.out.println(conn); }
其中,src下的配置文件为:【c3p0-config.xml】
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 <?xml version="1.0" encoding="UTF-8"?> <c3p0-config > <named-config name ="hell0c3p0" > <property name ="driverClass" > com.mysql.cj.jdbc.Driver</property > <property name ="jdbcUrl" > jdbc:mysql:///test</property > <property name ="user" > root</property > <property name ="password" > 12345678</property > <property name ="acquireIncrement" > 5</property > <property name ="initialPoolSize" > 10</property > <property name ="minPoolSize" > 10</property > <property name ="maxPoolSize" > 100</property > <property name ="maxStatements" > 50</property > <property name ="maxStatementsPerConnection" > 2</property > </named-config > </c3p0-config >
DBCP数据库连接池
DBCP 是 Apache 软件基金组织下的开源连接池实现,该连接池依赖该组织下的另一个开源系统:Common-pool。如需使用该连接池实现,应在系统中增加如下两个 jar 文件:
Commons-dbcp.jar:连接池的实现
Commons-pool.jar:连接池实现的依赖库
Tomcat 的连接池正是采用该连接池来实现的。 该数据库连接池既可以与应用服务器整合使用,也可由应用程序独立使用。
数据源和数据库连接不同,数据源无需创建多个,它是产生数据库连接的工厂,因此整个应用只需要一个数据源即可。
当数据库访问结束后,程序还是像以前一样关闭数据库连接:conn.close(); 但上面的代码并没有关闭数据库的物理连接,它仅仅把数据库连接释放,归还给了数据库连接池。
配置属性说明
属性
默认值
说明
initialSize
0
连接池启动时创建的初始化连接数量
maxActive
8
连接池中可同时连接的最大的连接数
maxIdle
8
连接池中最大的空闲的连接数,超过的空闲连接将被释放,如果设置为负数表示不限制
minIdle
0
连接池中最小的空闲的连接数,低于这个数量会被创建新的连接。该参数越接近maxIdle,性能越好,因为连接的创建和销毁,都是需要消耗资源的;但是不能太大。
maxWait
无限制
最大等待时间,当没有可用连接时,连接池等待连接释放的最大时间,超过该时间限制会抛出异常,如果设置-1表示无限等待
poolPreparedStatements
false
开启池的Statement是否prepared
maxOpenPreparedStatements
无限制
开启池的prepared 后的同时最大连接数
minEvictableIdleTimeMillis
连接池中连接,在时间段内一直空闲, 被逐出连接池的时间
removeAbandonedTimeout
300
超过时间限制,回收没有用(废弃)的连接
removeAbandoned
false
超过removeAbandonedTimeout时间后,是否进 行没用连接(废弃)的回收
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 @Test public void testGetConnection () throws SQLException { BasicDataSource source = new BasicDataSource(); source.setDriverClassName("com.mysql.cj.jdbc.Driver" ); source.setUrl("jdbc:mysql:///test" ); source.setUsername("root" ); source.setPassword("12345678" ); source.setInitialSize(10 ); source.setMaxActive(10 ); Connection conn = source.getConnection(); System.out.println(conn); }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 private static DataSource source = null ;static { try { Properties pros = new Properties(); InputStream is = DBCPTest.class.getClassLoader().getResourceAsStream("dbcp.properties" ); pros.load(is); source = BasicDataSourceFactory.createDataSource(pros); } catch (Exception e) { e.printStackTrace(); } } public static Connection getConnection () throws Exception { Connection conn = source.getConnection(); return conn; }
其中,src下的配置文件为:【dbcp.properties】
1 2 3 4 5 6 driverClassName =com.mysql.cj.jdbc.Driver url =jdbc:mysql:///test username =root password =12345678 initialSize =10
Druid(德鲁伊)数据库连接池 Druid是阿里巴巴开源平台上一个数据库连接池实现,它结合了C3P0、DBCP、Proxool等DB池的优点,同时加入了日志监控,可以很好的监控DB池连接和SQL的执行情况,可以说是针对监控而生的DB连接池,可以说是目前最好的连接池之一。
1 2 3 4 5 6 7 8 9 10 @Test public void getConnection () throws Exception { Properties pros = new Properties(); InputStream inputStream = ClassLoader.getSystemClassLoader().getResourceAsStream("druid.properties" ); pros.load(inputStream); DataSource source = DruidDataSourceFactory.createDataSource(pros); Connection conn = source.getConnection(); System.out.println(conn); }
其中,src下的配置文件为:【druid.properties】
1 2 3 4 5 6 7 url =jdbc:mysql:///test username =root password =12345678 driverClassName =com.mysql.cj.jdbc.Driver initialSize =10 maxActive =10
配置
缺省
说明
name
配置这个属性的意义在于,如果存在多个数据源,监控的时候可以通过名字来区分开来。 如果没有配置,将会生成一个名字,格式是:”DataSource-” + System.identityHashCode(this)
url
连接数据库的url,不同数据库不一样。例如:mysql : jdbc:mysql://10.20.153.104:3306/druid2 oracle : jdbc:oracle:thin:@10.20.149.85:1521:ocnauto
username
连接数据库的用户名
password
连接数据库的密码。如果你不希望密码直接写在配置文件中,可以使用ConfigFilter。详细看这里:https://github.com/alibaba/druid/wiki/%E4%BD%BF%E7%94%A8ConfigFilter
driverClassName
根据url自动识别 这一项可配可不配,如果不配置druid会根据url自动识别dbType,然后选择相应的driverClassName(建议配置下)
initialSize
0
初始化时建立物理连接的个数。初始化发生在显示调用init方法,或者第一次getConnection时
maxActive
8
最大连接池数量
maxIdle
8
已经不再使用,配置了也没效果
minIdle
最小连接池数量
maxWait
获取连接时最大等待时间,单位毫秒。配置了maxWait之后,缺省启用公平锁,并发效率会有所下降,如果需要可以通过配置useUnfairLock属性为true使用非公平锁。
poolPreparedStatements
false
是否缓存preparedStatement,也就是PSCache。PSCache对支持游标的数据库性能提升巨大,比如说oracle。在mysql下建议关闭。
maxOpenPreparedStatements
-1
要启用PSCache,必须配置大于0,当大于0时,poolPreparedStatements自动触发修改为true。在Druid中,不会存在Oracle下PSCache占用内存过多的问题,可以把这个数值配置大一些,比如说100
validationQuery
用来检测连接是否有效的sql,要求是一个查询语句。如果validationQuery为null,testOnBorrow、testOnReturn、testWhileIdle都不会其作用。
testOnBorrow
true
申请连接时执行validationQuery检测连接是否有效,做了这个配置会降低性能。
testOnReturn
false
归还连接时执行validationQuery检测连接是否有效,做了这个配置会降低性能
testWhileIdle
false
建议配置为true,不影响性能,并且保证安全性。申请连接的时候检测,如果空闲时间大于timeBetweenEvictionRunsMillis,执行validationQuery检测连接是否有效。
timeBetweenEvictionRunsMillis
有两个含义: 1)Destroy线程会检测连接的间隔时间2)testWhileIdle的判断依据,详细看testWhileIdle属性的说明
numTestsPerEvictionRun
不再使用,一个DruidDataSource只支持一个EvictionRun
minEvictableIdleTimeMillis
connectionInitSqls
物理连接初始化的时候执行的sql
exceptionSorter
根据dbType自动识别 当数据库抛出一些不可恢复的异常时,抛弃连接
filters
属性类型是字符串,通过别名的方式配置扩展插件,常用的插件有: 监控统计用的filter:stat日志用的filter:log4j防御sql注入的filter:wall
proxyFilters
类型是List,如果同时配置了filters和proxyFilters,是组合关系,并非替换关系
Apache-DBUtils实现CRUD操作 Apache-DBUtils简介
commons-dbutils 是 Apache 组织提供的一个开源 JDBC工具类库,它是对JDBC的简单封装 ,学习成本极低,并且使用dbutils能极大简化jdbc编码的工作量,同时也不会影响程序的性能。
API介绍:
org.apache.commons.dbutils.QueryRunner
org.apache.commons.dbutils.ResultSetHandler
工具类:org.apache.commons.dbutils.DbUtils
主要API DbUtils
DbUtils :提供如关闭连接、装载JDBC驱动程序等常规工作的工具类,里面的所有方法都是静态的。主要方法如下:
public static void close(…) throws java.sql.SQLException : DbUtils类提供了三个重载的关闭方法。这些方法检查所提供的参数是不是NULL,如果不是的话,它们就关闭Connection、Statement和ResultSet。
public static void closeQuietly(…): 这一类方法不仅能在Connection、Statement和ResultSet为NULL情况下避免关闭,还能隐藏一些在程序中抛出的SQLEeception。
public static void commitAndClose(Connection conn)throws SQLException: 用来提交连接的事务,然后关闭连接
public static void commitAndCloseQuietly(Connection conn): 用来提交连接,然后关闭连接,并且在关闭连接时不抛出SQL异常。
public static void rollback(Connection conn)throws SQLException:允许conn为null,因为方法内部做了判断
public static void rollbackAndClose(Connection conn)throws SQLException
rollbackAndCloseQuietly(Connection)
public static boolean loadDriver(java.lang.String driverClassName):这一方装载并注册JDBC驱动程序,如果成功就返回true。使用该方法,你不需要捕捉这个异常ClassNotFoundException。
QueryRunner类
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 @Test public void insert () { Connection conn = null ; try { QueryRunner queryRunner = new QueryRunner(); conn = JDBCUtils.getConnection(); String sql = "insert into customers(name,email,birth) values(?,?,?)" ; int insertCount = queryRunner.update(conn, sql, "小旭" , "274532609@qq.com" , "1995-4-23" ); System.out.println("添加了" + insertCount + "条记录" ); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,null ); } }
1 2 3 4 5 6 7 8 9 10 @Test public void delete () throws Exception { QueryRunner runner = new QueryRunner(); Connection conn = JDBCUtils.getConnection(); String sql = "delete from customers where id < ?" ; int count = runner.update(conn, sql,3 ); System.out.println("删除了" + count + "条记录" ); JDBCUtils.closeResource(conn, null ); }
ResultSetHandler接口及实现类
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 @Test public void query () { Connection conn = null ; try { QueryRunner queryRunner = new QueryRunner(); conn = JDBCUtils.getConnection(); String sql = "select id,name,email,birth from customers where id = ?" ; BeanHandler<Customer> handler = new BeanHandler<>(Customer.class); Customer customer = queryRunner.query(conn, sql, handler, 19 ); System.out.println(customer); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,null ); } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 @Test public void queryList () { Connection conn = null ; try { QueryRunner queryRunner = new QueryRunner(); conn = JDBCUtils.getConnection(); String sql = "select id,name,email,birth from customers where id < ?" ; BeanListHandler<Customer> handler = new BeanListHandler<>(Customer.class); List<Customer> list = queryRunner.query(conn, sql, handler, 19 ); list.forEach(System.out::println); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,null ); } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 @Test public void queryList2 () { Connection conn = null ; try { QueryRunner queryRunner = new QueryRunner(); conn = JDBCUtils.getConnection(); String sql = "select id,name,email,birth from customers where id = ?" ; MapHandler handler = new MapHandler(); Map<String, Object> query = queryRunner.query(conn, sql, handler, 19 ); System.out.println(query); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,null ); } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 @Test public void queryList3 () { Connection conn = null ; try { QueryRunner queryRunner = new QueryRunner(); conn = JDBCUtils.getConnection(); String sql = "select id,name,email,birth from customers where id < ?" ; MapListHandler handler = new MapListHandler(); List<Map<String, Object>> query = queryRunner.query(conn, sql, handler, 19 ); query.forEach(System.out::println); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,null ); } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 @Test public void queryList4 () { Connection conn = null ; try { QueryRunner queryRunner = new QueryRunner(); conn = JDBCUtils.getConnection(); String sql = "select count(*) from customers" ; ScalarHandler handler = new ScalarHandler(); Long query = (Long) queryRunner.query(conn, sql, handler); System.out.println(query); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,null ); } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 @Test public void queryList5 () { Connection conn = null ; try { QueryRunner queryRunner = new QueryRunner(); conn = JDBCUtils.getConnection(); String sql = "select max(birth) from customers" ; ScalarHandler handler = new ScalarHandler(); Date query = (Date) queryRunner.query(conn, sql, handler); System.out.println(query); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,null ); } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 @Test public void query5 () { Connection conn = null ; try { QueryRunner queryRunner = new QueryRunner(); conn = JDBCUtils.getConnection(); String sql = "select id,name,email,birth from customers where id = ?" ; ResultSetHandler<Customer> handler = resultSet -> { if (resultSet.next()){ int id = resultSet.getInt("id" ); String name = resultSet.getString("name" ); String email = resultSet.getString("email" ); Date birth = resultSet.getDate("birth" ); Customer customer = new Customer(id,name,email,birth); return customer; } return null ; }; Customer customer = queryRunner.query(conn, sql, handler, 19 ); System.out.println(customer); }catch (Exception e){ e.printStackTrace(); }finally { JDBCUtils.CloseResource(conn,null ); } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 @Test public void testQueryValue () throws Exception { QueryRunner runner = new QueryRunner(); Connection conn = JDBCUtils.getConnection3(); String sql = "select max(birth) from customers" ; ScalarHandler handler = new ScalarHandler(); Date birth = (Date) runner.query(conn, sql, handler); System.out.println(birth); JDBCUtils.closeResource(conn, null ); }
JDBC总结 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 @Test public void testUpdateWithTx () { Connection conn = null ; try { conn.commit(); } catch (Exception e) { e.printStackTrace(); try { conn.rollback(); } catch (SQLException e1) { e1.printStackTrace(); } }finally { } }