在我的Sqlite数据库中,我在数据类型DATE中保存了日期。如何从光标中获取此日期?
答案 0 :(得分:16)
SQLite使用ISO8601日期/时间格式存储表示UTC(GMT)当前时间的字符串。这种格式(YYYY-MM-DD HH:MM:SS)适合日期/时间比较。
使用以下代码检索日期。
Cursor row = databaseHelper.query(true, TABLE_NAME, new String[] {
COLUMN_INDEX}, ID_COLUMN_INDEX + "=" + rowId,
null, null, null, null, null);
String dateTime = row.getString(row.getColumnIndexOrThrow(COLUMN_INDEX));
这样,返回一个字符串,解析它并重新格式化为您的本地格式和时区:
DateFormat iso8601Format = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
try {
date = iso8601Format.parse(dateTime);
} catch (ParseException e) {
Log.e(TAG, "Parsing ISO8601 datetime failed", e);
}
long when = date.getTime();
int flags = 0;
flags |= android.text.format.DateUtils.FORMAT_SHOW_TIME;
flags |= android.text.format.DateUtils.FORMAT_SHOW_DATE;
flags |= android.text.format.DateUtils.FORMAT_ABBREV_MONTH;
flags |= android.text.format.DateUtils.FORMAT_SHOW_YEAR;
String finalDateTime = android.text.format.DateUtils.formatDateTime(context,
when + TimeZone.getDefault().getOffset(when), flags);
希望这会对你有所帮助。
答案 1 :(得分:13)
SQLite实际上没有DATE
类型(DATE
关键字只表示该列具有NUMERIC
亲和力,每Datatypes In SQLite Version 3个),所以由您决定选择约会如何存储日期。常见的约定是(a)使用实数来存储Julian日期或(b)使用整数来存储Unix纪元(自1970年以来的秒数,SQLite日期和时间函数支持每个{{3的'unixepoch'参数}})。
如果您将日期存储为Unix纪元(方便Android,因为在.getTime()
对象上调用Date
返回自1970年以来的毫秒数),然后阅读SQLite DATE
将字段作为long
并将其等效的毫秒数传递给java.util.Date
构造函数Date(long milliseconds)
。所以,它看起来像这样:
SQLiteManager dbManager = new SQLiteManager(context, DB_NAME, null, VERSION);
SQLiteDatabase db = dbManager.getReadableDatabase();
Cursor cursor = db.query(TABLE_NAME,
new String[] { COLUMN_NAME_ID, COLUMN_NAME_DATE },
null, null, // selection, selectionArgs
null, null, null, null); // groupBy, having, orderBy, limit
try {
while(cursor.moveNext()) {
int id = cursor.getInt(0);
// Read the SQLite DATE as a long and construct a Java Date with it.
Date date = new Date(cursor.getLong(1)*1000);
// ...
}
} finally {
cursor.close();
db.close();
}
答案 2 :(得分:4)
此代码有效
String s= cursor.getString(position);
SimpleDateFormat dateFormat = new SimpleDateFormat("yyyy-MM-dd");
Date d=new Date();
try {
d= dateFormat.parse(s);
} catch (ParseException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
YourObject.setDate(d);