Java将数据写入sql
时间: 2023-09-10 08:09:18 浏览: 132
向数据库写入数据
要将数据写入SQL数据库,首先需要创建一个连接,然后使用SQL语句将数据插入到数据库表中。
以下是一个简单的Java程序示例,演示如何将数据插入到MySQL数据库中:
```java
import java.sql.*;
public class InsertDataIntoSQL {
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
try {
// 1.获取连接
Class.forName("com.mysql.jdbc.Driver");
conn = DriverManager.getConnection("jdbc:mysql://localhost/test", "root", "password");
// 2.创建Statement对象
stmt = conn.createStatement();
// 3.准备SQL语句
String sql = "INSERT INTO employee (id, name, age, salary) VALUES (1, 'John Doe', 35, 50000)";
// 4.执行SQL语句
stmt.executeUpdate(sql);
System.out.println("数据插入成功!");
} catch (ClassNotFoundException e) {
e.printStackTrace();
} catch (SQLException e) {
e.printStackTrace();
} finally {
// 5.释放资源
try {
if (stmt != null) stmt.close();
if (conn != null) conn.close();
} catch (SQLException e) {
e.printStackTrace();
}
}
}
}
```
在这个示例中,我们首先使用`Class.forName()`方法注册MySQL驱动程序,然后使用`DriverManager.getConnection()`方法创建数据库连接。接下来,我们创建一个`Statement`对象,并使用`executeUpdate()`方法执行插入数据的SQL语句。最后,我们释放资源并关闭连接。
请注意,这只是一个简单的示例,实际应用中您需要根据自己的需求修改SQL语句和数据库连接信息。
阅读全文