5

如何使用不使用原始查询的内容值在我的 sqlite 数据库中插入日期时间数据?

datetime('now') 插入自身(文本)而不是时间,我可以在当前时间中添加额外的时间吗?

就像,当我按下按钮“1HOUR”时,它会在sqlite数据库中插入当前时间+ 1小时..谢谢,有点困惑..

4

2 回答 2

6

将日期/时间转换为毫秒,你会得到一个long. long然后你只需在数据库中插入值。

如果日期/时间值以毫秒为单位,您可以将它们相加。

--已编辑--

    Date myDate = new Date();
    long timeMilliseconds = myDate.getTime();
    //add 1 hour
    timeMilliseconds = timeMilliseconds + 3600 * 1000; //3600 seconds * 1000 milliseconds
    //To convert back to Date
    Date myDateNew = new Date(timeMilliseconds);

在 SQLite 中,javalong值存储为int.

于 2012-10-28T01:36:32.420 回答
1

您不能使用 Java 包装器“ContentValues”来使用日期时间函数。您可以通过以下方式实现:

1)可以使用SQLiteDatabase.execSQL(原始SQL查询)

 dbObj.execSQL("INSERT INTO "+DATABASE_TABLE+" VALUES (null, datetime()) ");

2)您可以使用 SimpleDateFormat

// setting the format to sql date time
SimpleDateFormat dateFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss"); 
Date date = new Date();
ContentValues initialValues = new ContentValues(); 
initialValues.put("date_time", dateFormat.format(date));
long recordId = mDb.insert(DB_TABLE_NAME, null, initialValues);

3)您将日期值以(长型)毫秒存储在数据库中,并且为了显示您可以对其进行格式化,

 import java.text.DateFormat;
 import java.text.SimpleDateFormat;
 import java.util.Calendar;

System.out.println(getDate(82233213123L, "dd/MM/yyyy hh:mm:ss.SSS"));

// Return date in specified format.
// milliSeconds Date in milliseconds
// dateFormat Date format 
// return date as string in specified format

public static String formatDate(long milliSeconds, String dateFormat)
{

    DateFormat formatter = new SimpleDateFormat(dateFormat);

// Create a calendar object that will convert the date and time value in milliseconds to date. 
   Calendar calendar = Calendar.getInstance();
 calendar.setTimeInMillis(milliSeconds);
 return formatter.format(calendar.getTime());
   }
 }

1 秒 = 1000 毫秒,所以如果你想增加 1 小时,那么使用这个公式

  currentTImeMilli + (60 * 60 * 1000)
于 2012-10-28T01:44:48.977 回答