SQLite JDBC rs.getDate()getTimestamp()等都返回错误的值

问题描述 投票:5回答:3

由于某种原因使用JDBC for SQLite时,Date和Timestamp值正确存储在DB中,在使用命令行sqlite3工具时正确显示,但使用ResultSet函数检索这些值时,它不起作用。下面是一个小型测试类,演示了我的意思。

import java.sql.*;

public class Test {
  public static void main(String[] args) throws Exception {
    Class.forName("org.sqlite.JDBC");
    Connection conn = DriverManager.getConnection("jdbc:sqlite:test.db");
    Statement stat = conn.createStatement();
    stat.executeUpdate("drop table if exists people;");
    stat.executeUpdate("create table people (name, occupation, date date);");
stat.executeUpdate("insert into people values ('Turing', 'Computers', date('now'));");

    ResultSet rs = stat.executeQuery("select * from people;");
    while (rs.next()) {
      System.out.println("name = " + rs.getString("name"));
      System.out.println("job = " + rs.getString("occupation"));
      System.out.println("date = " + rs.getDate("date"));
      System.out.println("dateAsString = " + rs.getString("date"));
    }
    rs.close();
    conn.close();
  }
}

我得到的输出是:

name =图灵 job =电脑 date = 1970-01-01 dateAsString = 2011-03-24

sqlite datetime date jdbc timestamp
3个回答
8
投票

像Scott说的那样:SQLite没有Date类型。

您可以让SQLite使用strftime函数为您进行转换:strftime('%s', date)。然后你可以在Java端使用rs.getDate

您还可以将SQLite日期检索为字符串,并将其解析为日期:

DateFormat df = new SimpleDateFormat("yyyy-MM-dd");
try {
    Date today = df.parse(rs.getString("date"));
    System.out.println("Today = " + df.format(today));
} catch (ParseException e) {
   e.printStackTrace();
}

2
投票

SQLite3没有Date类型,因此在编写代码时必须获取日期的String。

http://www.sqlite.org/datatype3.html


2
投票

SQLite不使用'types'而是使用所谓的'type affinity';

来自documentation本身:

这里的重要思想是建议使用类型,而不是必需的

您可以将日期存储为字符串并使用SimpleDateFormatDateTimeFormatter等格式化类来解析它们,或者您可以使用像Date.from(Instant.parse(rs.getString("date")))这样的原始内容。

Java 8

在这里的其他答案中,我会说LocalDate#parse()LocalDateTime#parse()也是Java 8前进的好选择。

它们接受String格式的日期

LocalDate.parse("2016-05-24")

或者使用DateTimeFormatter作为第二个参数的String

LocalDate.parse("2016-05-24", DateTimeFormatter.ofPattern(yyyy-MM-dd))


转变

如果你想使用LocalDateLocalDateTime,但想支持Date,可能是在适配器模式;

LocalDateTime到日期:

此示例使用系统默认时区作为atZone的ZoneId参数,但是如果需要,可以使用静态/硬编码时区。基本上你是从AtZone创建一个Instant,它可以用来从静态方法Date#from(Instant)构建一个Date

Date.from(localDate.atStartOfDay().atZone(ZoneId.systemDefault()).toInstant()));

LocalDate To Date:

这个例子几乎是一样的,只有这里获得ZoneId以创建Instant所需的全部是LocalDate实例本身。

Date.from(localDate.atZone(ZoneId.systemDefault()).toInstant()));

我这里没有进入技术细节,甚至可能没有必要,但如果我错了,请纠正我。

© www.soinside.com 2019 - 2024. All rights reserved.