字串存入資料庫date型別欄位
有時候為了計算方便等原因需要將時間以date格式存入資料庫,但是前臺傳過來的資料型別都是字串,如果將字串直接插入date型別的欄位中會拋:ORA-01861: 文字與格式字串不匹配
。
前臺頁面有一個表單,如下所示:
<form action="......" method="get">
<input type="date" name="date">
<input type="submit" value="提交">
</form>
提交表單時傳到後臺只是選定日期對應的字串表示形式:
如選定:
由瀏覽提位址列可知傳到後臺只是字串的”2017-07-25”,
http://localhost:8080/....../save.do?date=2017-07-25
這樣直接儲存到資料庫中就會拋如下異常:
org.springframework.dao.DataIntegrityViolationException: PreparedStatementCallback; SQL [INSERT INTO DEMO (DATATEST) VALUES (?)]; ORA-01861: 文字與格式字串不匹配
; nested exception is java.sql.SQLDataException: ORA-01861: 文字與格式字串不匹配
資料庫結構如下:
解決辦法:
1、使用註解:
@DateTimeFormat
@JsonFormat
在實體類代表日期欄位的get方法上添加註解:
import com.fasterxml.jackson.annotation.JsonFormat;
import org.springframework.format.annotation.DateTimeFormat;
import java.util.Date;
public class DateModel {
private Date date;
@DateTimeFormat(pattern = "yyyy-MM-dd")
@JsonFormat(pattern = "yyyy-MM-dd", timezone = "GMT+8")
public Date getDate() {
return date;
}
public void setDate(Date date) {
this.date = date;
}
@Override
public String toString() {
return "DateModel{" +
"date='" + date + '\'' +
'}';
}
}
dao層:(此處使用jdbctemplate)
import com.srie.ylb.model.DateModel;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.core.namedparam.BeanPropertySqlParameterSource;
import org.springframework.jdbc.core.namedparam.NamedParameterJdbcTemplate;
import org.springframework.jdbc.core.namedparam.SqlParameterSource;
import org.springframework.stereotype.Repository;
@Repository
public class DateDao {
@Autowired
private JdbcTemplate jdbcTemplate;
public void saveDate(DateModel dateModel) {
String sql = "INSERT INTO DEMO (DATATEST) VALUES (:date)";
NamedParameterJdbcTemplate namedParameterJdbcTemplate = new NamedParameterJdbcTemplate(jdbcTemplate);
SqlParameterSource sqlParameterSource = new BeanPropertySqlParameterSource(dateModel);
namedParameterJdbcTemplate.update(sql, sqlParameterSource);
}
}
2、使用Java將代表日期的字串轉換為java.util.date再插入資料庫
使用SimpleDateFormat:
@RequestMapping("/save")
public void saveDate(String dateStr) throws ParseException {
Date date = new SimpleDateFormat("yyyy-MM-dd").parse(dateStr);
dateDao.saveDate(date);
}
也可使用java.util.Calendar,只不過麻煩些。
dao層:
public void saveDate(Date date) {
String sql = "INSERT INTO DEMO (DATATEST) VALUES (?)";
jdbcTemplate.update(sql, date);
}
使用資料庫函式TO_CHAR()函式
dao層:
public void saveDate(String date) {
String sql = "INSERT INTO DEMO (DATATEST) VALUES (TO_DATE(?, 'yyyy-MM-dd'))";
jdbcTemplate.update(sql, date);
}
測試結果:
原文:https://blog.csdn.net/wangxiaoan1234/article/details/76084176
版權宣告:本文為博主原創文章,轉載請附上博文連結!