我有两个数据表类别和图标。类别表有一列iconId它是图标表中的外键。现在我想将数据插入到类别表中并更新图标表标志列如何在sping jdbc template中做到这一点
private final String addCategorySql ="INSERT INTO CATEGORY(TYPE,ICONID)"
+" VALUES(?,?) UPDATE ICON SET FLAG=? WHERE ICONID=? ";
public boolean addNewCategory(Category category){
Object [] parameters = {category.getType(),category.getIconId(),1,category.getIconId()};
try {
int rows = jdbcTemplate.update(addCategorySql, parameters);
if (rows == 1) {
return true;
} else {
return false;
}
} catch (Exception e) {
logger.error("Exception : " , e);
throw e;
}
最佳答案
为什么不将sql分成2条语句?它将更加清晰,您可以理解是否插入了类别,以及图标是否已更新。
private final String addCategorySql = "INSERT INTO CATEGORY(TYPE,ICONID)"
+ " VALUES(?,?);"
private final String updateIconSql = "UPDATE ICON SET FLAG=1 WHERE ICONID=? ";
public boolean addNewCategory(Category category) {
try {
int updatedRows = 0;
int insertedRows = jdbcTemplate.update(addCategorySql, category.getType(), category.getIconId());
if (insertedRows == 1) { //we are updating Icon table only when any category inserted. Otherwise we return false;
updatedRows = jdbcTemplate.update(updateIconSql, category.getIconId());
if (updatedRows == 1) {
return true;
} else {
return false;
}
} else {
return false;
}
} catch (Exception e) {
logger.error("Exception : ", e);
throw e;
}
}