我正在尝试从日期少于今天的SQLite数据库中恢复一些数据。我从日历中得到了一天,它没有给出预期的结果:
Calendar cal = Calendar.getInstance();
int dayofmonth = cal.get(Calendar.DAY_OF_MONTH);
String sql = "SELECT SUM(filed1) FROM Table1 WHERE "+Table1.DATE+"<= '%"+dayofmonth+"'";
答案 0 :(得分:4)
由于您的数据格式为YYYY-MM-DD
,即日期组件的排序从最高有效到最低有效,零填充,您可以在此处使用常规字符串比较。
首先使用与今天相同的格式创建一个字符串,例如
SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd");
String today = sdf.format(new Date());
然后在SQL中使用该字符串,例如
String sql = ... " WHERE " + Table1.DATE + " < ?";
String[] bindArgs = new String[] { today };
Cursor c = db.rawQuery(sql, bindArgs);
答案 1 :(得分:0)
String sql = // Create the text of your SQL statement to be executed.
"SELECT SUM( number_col ) FROM tbl WHERE date_col <= '" // Include the name of the date column to be compared. Should be part of your string literal.
+ LocalDate.now( ZoneId.of( "Pacific/Auckland" ) ) // Capture the current date per the wall-clock time used by the people of a particular region (a time zone).
.toString() // Generate a string in standard ISO 8601 to represent the value of this `LocalDate` value.
+ "' ;" // A proper SQL statement is terminated with a semicolon. Omitted from the Question’s example code.
;
现代方法使用 java.time 类,这些类取代了麻烦的遗留类Date
,Calendar
和SimpleDateFormat
。
您的评论说,您将SQLite中的仅限日期值存储为标准ISO 8601格式的文本:YYYY-MM-DD。
对于Java中的仅日期值,请使用LocalDate
类。 LocalDate
类表示没有时间且没有时区的仅限日期的值。
时区对于确定日期至关重要。对于任何给定的时刻,日期在全球范围内因地区而异。例如,在Paris France午夜后的几分钟是新的一天,而Montréal Québec中仍然是“昨天”。
如果未指定时区,则JVM会隐式应用其当前的默认时区。该默认值可能随时更改,因此您的结果可能会有所不同。最好明确指定您期望/预期的时区作为参数。
以continent/region
的格式指定proper time zone name,例如America/Montreal
,Africa/Casablanca
或Pacific/Auckland
。切勿使用诸如EST
或IST
之类的3-4字母缩写,因为它们不是真正的时区,不是标准化的,甚至不是唯一的(!)。
ZoneId z = ZoneId.of( "America/Montreal" ) ;
LocalDate today = LocalDate.now( z ) ;
如果要使用JVM的当前默认时区,请求它并作为参数传递。如果省略,则隐式应用JVM的当前默认值。最好是明确的,因为默认情况下可以在运行时期间由JVM中任何应用程序的任何线程中的任何代码随时更改。
ZoneId z = ZoneId.systemDefault() ; // Get JVM’s current default time zone.
或指定日期。您可以将月份设置为一个数字,1月至12月的数字为1-12。
LocalDate ld = LocalDate.of( 1986 , 2 , 23 ) ; // Years use sane direct numbering (1986 means year 1986). Months use sane numbering, 1-12 for January-December.
或者,更好的是,使用预定义的Month
枚举对象,一年中的每个月一个。提示:在整个代码库中使用这些Month
对象,而不仅仅是整数,以使代码更具自我记录功能,确保有效值,并提供type-safety。
LocalDate ld = LocalDate.of( 1986 , Month.FEBRUARY , 23 ) ;
只需调用toString
即可生成标准格式的字符串。
String dateText = LocalDate.now( z ).toString() ;
添加到您的SQL字符串。您的SQL字符串不正确,因为列的名称应该是SQL文本的一部分。它应该是你的字符串文字的一部分,但你排除了在Java的上下文中没有意义。
String sql = "SELECT SUM( number_col ) FROM tbl WHERE date_col <= '" + dateText + "' ;" ;
这将呈现一个字符串,如:
SELECT SUM( number_col ) FROM tbl WHERE when_col <= '2018-01-23' ;
java.time框架内置于Java 8及更高版本中。这些类取代了麻烦的旧legacy日期时间类,例如java.util.Date
,Calendar
和&amp; SimpleDateFormat
现在位于Joda-Time的maintenance mode项目建议迁移到java.time类。
要了解详情,请参阅Oracle Tutorial。并搜索Stack Overflow以获取许多示例和解释。规范是JSR 310。
您可以直接与数据库交换 java.time 对象。使用符合JDBC driver或更高版本的JDBC 4.2。不需要字符串,不需要java.sql.*
类。
从哪里获取java.time类?