How do I create the java date object without time stamp

I want to create a Date object without a TimeZone (eg : 2007-06-21). Is this possible?

When I use the following method it prints like Thu Jun 21 00:00:00 GMT 2007

SimpleDateFormat  sdf       = new SimpleDateFormat("yyyy-MM-dd");

TimeZone          timeZone  = TimeZone.getTimeZone("GMT");
timeZone.setDefault(timeZone);
sdf.setTimeZone(timeZone);

Date              pickUpDate = sdf.parse("2007-06-21");
System.out.println(pickUpDate);
Jon Skeet
people
quotationmark

If you want to format a date, you need to use DateFormat or something similar. A Date is just an instant in time - the number of milliseconds since the Unix epoch. It doesn't have any idea of time zone, calendar system or format. The toString() method always uses the system local time zone, and always formats it in a default way. From the documentation:

Converts this Date object to a String of the form:

dow mon dd hh:mm:ss zzz yyyy

So it's behaving exactly as documented.

You've already got a DateFormat with the right format, so you just need to call format on it:

System.out.println("pickUpDate" + sdf.format(pickUpDate));

Of course it doesn't make much sense in your sample, given that you've only just parsed it - but presumably you'd normally be passing the date around first.

Note that if this is for interaction with a database, it would be better not to pass it as a string at all. Keep the value in a "native" representation for as much of the time as possible, and use something like PreparedStatement.setDate to pass it to the database.

As an aside, if you can possibly change to use Joda Time or the new date/time API in Java 8 (java.time.*) you'll have a much smoother time of it with anything date/time-related. The Date/Calendar API is truly dreadful.

people

See more on this question at Stackoverflow