Mybatis入门
程序员文章站
2022-04-22 10:35:56
...
Mybatis介绍
Mybatis为Apache的一个开源项目,一个持久层的框架。它对jdbc的操作数据库的过程进行封装,使开发人员之关注SQL本身,不需要处理如注册驱动,创建connection,创建statement、手动设置参数,结果集检索等jdbc繁杂的过程代码。
Mybatis通过xml或者注解的方式将要执行的各种statement(statement,PreparedStatement、CallableStatement)配置起来,并通过java对象和statement中的SQL进行映射生成最终执行的SQL语句,最后由Mybatis框架执行SQL并将结果映射成java对象并返回。
JDBC操作数据库存在的问题
创建数据库
- Navicat 选中连接,右键 新建数据库,数据库名 ,
- 选中数据库名,右键 执行SQL语句,选中要导入的SQL文件,执行
- F5 刷新
创建工程 - IDEA 中创建java工程
- 右键工程名,新建 文件夹 lib
- 导入MySQL的数据库驱动包 mysql-connection-java-5.1.7-bin.jar
- 选中包,右键 add as dictionary 加载包
JDBC编程步骤
- 加载数据库驱动
- 创建并获取数据库连接
- 创建jdbc statement 对象
- 设置SQL语句
- 设置SQL语句中的参数(使用PreparedStatement)
- 通过statement执行SQL并获取结果
- 对SQL执行结果进行解析处理
- 释放资源(result,PreparedStatement,connection)
jdbc程序
public class JDBC {
public static void main(String[] args) {
Connection connection = null;
PreparedStatement preparedStatement = null;
ResultSet resultSet = null;
try {
//加载数据库驱动
Class.forName("com.mysql.jdbc.Driver");
//通过驱动管理类获取数据库链接
connection = DriverManager.getConnection("jdbc:mysql://localhost:3306/mybatis?characterEncoding=utf-8", "root", "root");
//定义sql语句 ?表示占位符
String sql = "select * from user where username = ?";
//获取预处理statement
preparedStatement = connection.prepareStatement(sql);
//设置参数,第一个参数为sql语句中参数的序号(从1开始),第二个参数为设置的参数值
preparedStatement.setString(1, "王五");
//向数据库发出sql执行查询,查询出结果集
resultSet = preparedStatement.executeQuery();
//遍历查询结果集
while(resultSet.next()){
System.out.println(resultSet.getString("id")+" "+resultSet.getString("username"));
}
} catch (Exception e) {
e.printStackTrace();
}finally{
//释放资源
if(resultSet!=null){
try {
resultSet.close();
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
if(preparedStatement!=null){
try {
preparedStatement.close();
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
if(connection!=null){
try {
connection.close();
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
}
}
JDBC问题总结
- 数据库链接创建、释放频繁造成系统资源浪费从而影响系统性能,如果使用数据库链接池可解决此问题
- SQL语句在代码中硬编码,造成代码不易维护,实际应用SQL变化的可能较大,SQL变动需要改变java代码
- 使用PreparedStatement 向占位符号传参数存在硬编码,因为SQL语句的where条件不一定,可能多也可能少,修改SQL还要修改代码,系统不易维护。
- 对结果集解析存在硬编码(查询列名),SQL变化导致解析代码变化,系统不易维护,如果能将数据库记录封装成POJO对象解析比较方便。