json里多条数据循环插入表里报索引冲突java代码
时间: 2023-11-03 16:04:19 浏览: 89
javascript 循环读取JSON数据的代码
在插入数据时遇到索引冲突,通常需要进行异常处理。以下是Java代码示例,演示如何通过循环插入多条数据,并在遇到索引冲突时进行异常处理:
```java
import java.sql.*;
public class InsertData {
public static void main(String[] args) {
Connection conn = null;
Statement stmt = null;
ResultSet rs = null;
try {
// 连接数据库
conn = DriverManager.getConnection("jdbc:mysql://localhost:3306/test", "root", "password");
stmt = conn.createStatement();
// 解析json数据
String jsonData = "[{\"name\": \"Tom\", \"age\": 18}, {\"name\": \"Jerry\", \"age\": 20}]";
JSONArray jsonArray = new JSONArray(jsonData);
// 循环插入数据
for (int i = 0; i < jsonArray.length(); i++) {
JSONObject jsonObj = jsonArray.getJSONObject(i);
// 构造SQL语句
String sql = "INSERT INTO student(name, age) VALUES('" + jsonObj.getString("name") + "', "
+ jsonObj.getInt("age") + ")";
try {
stmt.executeUpdate(sql);
} catch (SQLException e) {
// 如果遇到索引冲突异常,忽略该条数据并输出异常信息
if (e.getErrorCode() == 1062) {
System.out.println("Insert data failed due to duplicate key.");
} else {
e.printStackTrace();
}
}
}
// 查询插入的数据
rs = stmt.executeQuery("SELECT * FROM student");
while (rs.next()) {
System.out.println(rs.getString("name") + ", " + rs.getInt("age"));
}
} 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();
}
}
}
}
```
在上述代码中,我们使用了JSON解析库`org.json.JSONObject`和`org.json.JSONArray`,通过循环遍历JSON数组中的每个对象,构造SQL语句并执行插入操作。当遇到索引冲突时,我们使用异常处理机制,忽略该条数据并输出异常信息。最后,我们通过查询语句获取插入的数据并输出到控制台上。
阅读全文