Java对MySQL数据库的连接读写
时间: 2023-12-05 09:04:06 浏览: 67
Java对MySQL数据库的连接读写可以通过JDBC实现。以下是一个简单的示例代码:
```java
import java.sql.*;
public class MySQLExample {
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
ResultSet rs = null;
try {
// 加载MySQL JDBC驱动
Class.forName("com.mysql.jdbc.Driver");
// 创建数据库连接
conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/test", "root", "password");
// 创建SQL语句
stmt = conn.createStatement();
String sql = "SELECT * FROM users";
// 执行查询语句
rs = stmt.executeQuery(sql);
// 处理查询结果
while (rs.next()) {
int id = rs.getInt("id");
String name = rs.getString("name");
int age = rs.getInt("age");
System.out.println("ID: " + id + ", Name: " + name + ", Age: " + age);
}
} catch (ClassNotFoundException e) {
e.printStackTrace();
} catch (SQLException e) {
e.printStackTrace();
} finally {
// 关闭所有资源
try {
if (rs != null) {
rs.close();
}
if (stmt != null) {
stmt.close();
}
if (conn != null) {
conn.close();
}
} catch (SQLException e) {
e.printStackTrace();
}
}
}
}
```
该示例中,我们使用了JDBC驱动来连接MySQL数据库,并执行了一个查询语句。在实际使用中,我们可以根据需要进行增删改查等操作。需要注意的是,在使用完数据库资源后,要及时关闭所有资源,以免造成资源泄露和性能问题。
阅读全文