Mew
Mew

Reputation: 1152

Set date and desired time in Android

I want to set date and time in my android app. The date should be today's date but the time should be set to 6:00 AM by default in the text field. I have read many links but most of them shows today's time and date (example: 2016-03-28 11:53:55).

 String timetxt1 = "06:00:00";
 Date datetxt1 = null;;
 try {
     datetxt1 = simpleDateFormat.parse(timetxt1);
 } catch (ParseException e) {
     e.printStackTrace();
 }
 Calendar selectedDate1 = Calendar.getInstance();
 selectedDate1.setTime(datetxt1);

 edittxt.setText(dateFormatter.format(selectedDate1.getTime()));

Upvotes: 10

Views: 28269

Answers (4)

Geek Tanmoy
Geek Tanmoy

Reputation: 880

This was useful to me.

fun getFormattedDateTime(dateString: String):String{
    var formattedDate=""
    val sdf = SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss", Locale.getDefault())
    val dateFormat = SimpleDateFormat("dd/MM/yyyy", Locale.getDefault())
    val calendar = Calendar.getInstance()
    calendar.time = dateFormat.parse(dateString)!!
    calendar[Calendar.HOUR_OF_DAY]=6
    calendar[Calendar.MINUTE]=0
    calendar[Calendar.SECOND]=0
    formattedDate=sdf.format(calendar.time)
    return formattedDate
}

Upvotes: 1

Shree Krishna
Shree Krishna

Reputation: 8562

I've done like this,

    DateFormat dateFormat = new SimpleDateFormat("yyyy/MM/dd HH:mm:ss");
    Date date = new Date();
    date.setHours(6);
    date.setMinutes(0);
    date.setSeconds(0);
    Log.d("DateTime", dateFormat.format(date));

OUTPUT : 2016/03/28 06:00:00

Upvotes: 0

mmuzahid
mmuzahid

Reputation: 2280

 Date date = new Date();
 Calendar calendar = Calendar.getInstance();
 calendar.setTime(date);
 calendar.set(Calendar.HOUR_OF_DAY, 6);// for 6 hour
 calendar.set(Calendar.MINUTE, 0);// for 0 min
 calendar.set(Calendar.SECOND, 0);// for 0 sec
 System.out.println(calendar.getTime());// print 'Mon Mar 28 06:00:00 ALMT 2016'

Upvotes: 22

Ragesh Ramesh
Ragesh Ramesh

Reputation: 3520

To get current date use below method

 public static String getCurrentDate() {
    SimpleDateFormat dateFormat = new SimpleDateFormat(
            "yyyy-MM-dd", Locale.getDefault());
    Date date = new Date();
    return dateFormat.format(date);
}

This will give you the current date alone. And if you want the time to be 6:00AM use the below method

  public static String getCurrentDateAndTime6() {
    SimpleDateFormat dateFormat = new SimpleDateFormat(
            "yyyy-MM-dd HH:mm:ss", Locale.getDefault());
    Calendar calendar = Calendar.getInstance();
    calendar.set(Calendar.HOUR_OF_DAY, 6);
    calendar.set(Calendar.MINUTE,0);
    return dateFormat.format(calendar);
}

Upvotes: 0

Related Questions