【SSM_Mybatis】学习笔记01

 

一、使用JDBC操作数据库

1、导入驱动包 mysql-connective-java-5.0.7

2、三大对象: 连接对象、查询对象、结果集

3、操作流程:

加载数据库驱动

获取连接

获取statement

查询 输出结果

按逆序关闭连接

public class JDBCTest {
	public static void main(String[] args) throws SQLException {
		//连接对象
		Connection connection = null;
		//查询对象
		PreparedStatement pStatement = null;
		//结果集
		ResultSet rSet = null;
	
		try {
			//加载数据库驱动
			Class.forName("com.mysql.jdbc.Driver");
			//获取连接
			connection = DriverManager.getConnection("jdbc:mysql://localhost:3306/ssm_mybatis", "root", "root");
			//获取statement
			String sql = "select * from user where u_sex=?"; //?表示占位符
			pStatement = connection.prepareStatement(sql);
			pStatement.setString(1, "0");
			//查询 输出结果
			rSet = pStatement.executeQuery();
			while(rSet.next()) {
				System.out.println(rSet.getString("u_id")+"  "+rSet.getString("u_username")+"  "+rSet.getString("u_sex"));
			}
			
		} catch (Exception e) {
			// TODO Auto-generated catch block
			e.printStackTrace();
		}finally {
			//连接关闭
			if(rSet!=null) rSet.close();
			if(pStatement!=null) pStatement.close();
			if(connection!=null) connection.close();
		}
		
	}
}

 

二、JDBC存在的问题。

在操作数据库时,需要频繁地获取连接与释放连接,较耗资源

查询结果,需要遍历,不方便。

sql 写在连接程序中或者像占位符,硬编码,比较死板

 

你可能感兴趣的:(ssm_mybatis)