**开过发程中需要经常利用jdbc对数据库进行操作,最近刚学习mysql数据库的操作,简单做一些整理。
在数据库操作之前,我们首先要在服务中开启数据库。还需要有针对的用户名、密码,和对应要操作的表。
具体步骤如下:
1.加载驱动
//DriverManager.registerDriver(new Driver());
Class.forName("com.mysql.jdbc.Driver");
2.建立连接
String url = "jdbc:mysql://localhost:3306/day07";
String user = "root";
String password = "12345";
Connection conn = DriverManager.getConnection(url, user, password);
3.获取statement
注意:调用该方法会抛异常,实际工作中我们会进行try..catch..处理,为了最后在finally里面释放资源。
Statement stat = conn.createStatement();
4.执行sql语句
String sql = "select * from stu ";
ResultSet rs = stat.executeQuery(sql);
5.遍历处理结果集
while(rs.next()){
String name = rs.getString("name");
int score = rs.getInt(3);
System.out.println("[name="+name+" secore="+score+"]");
}
6.关闭连接,释放资源
注意:关闭资源的顺序为:后打开先关闭
rs.close();
stat.close();
conn.close();
代码示例
“`
// 更改操作
@Test
public void jdbcUpdate() throws ClassNotFoundException {
// 1.加载驱动
Class.forName("com.mysql.jdbc.Driver");
// 2.建立连接
String url = "jdbc:mysql://localhost:3306/day07";
String user = "root";
String password = "12345";
Statement stat = null;
Connection conn = null;
try {
conn = DriverManager.getConnection(url, user, password);
// 3.获取statement
stat = conn.createStatement();
// 4.执行sql语句
String sql = "update stu set age = 77 where name = '孙悟空'";
int num = stat.executeUpdate(sql);
// 5.打印结果
System.out.println("成功的更改了" + num + "条数据");
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
} finally {
try {
if (stat != null) {
stat.close();
stat = null;
}
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
try {
if (conn != null) {
conn.close();
conn = null;
}
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}```