如何在 Java 中为日期添加 x 天?
例如,我的日期是 01/01/2012,使用 dd/mm/yyyy作为格式。
01/01/2012
dd/mm/yyyy
加上5天,输出应该是 06/01/2012。
06/01/2012
If you're using Joda-Time (and there are lots of good reasons to - a simple, intuitive API and thread safety) then you can do this trivially:
new LocalDate().plusDays(5);
to add 5 days to today's date, for example.
EDIT: My current advice would be to now use the Java 8 date/time API
Calendar cal = Calendar.getInstance(); cal.set(Calendar.DAY_OF_MONTH, 1); cal.set(Calendar.MONTH, 1); cal.set(Calendar.YEAR, 2012); cal.add(Calendar.DAY_OF_MONTH, 5);
You can also subtract days like this: Calendar.add(Calendar.DAY_OF_MONTH, -5);
Calendar.add(Calendar.DAY_OF_MONTH, -5);
SimpleDateFormat sdf = new SimpleDateFormat("dd/MM/yyyy"); Calendar c = Calendar.getInstance(); c.setTime(new Date()); // Using today's date c.add(Calendar.DATE, 5); // Adding 5 days String output = sdf.format(c.getTime()); System.out.println(output);
Here is some simple code that prints the date five days from now:
DateFormat dateFormat = new SimpleDateFormat("dd/MM/yyyy"); Calendar c = Calendar.getInstance(); c.add(Calendar.DATE, 5); System.out.println(dateFormat.format(c.getTime()));
Example output:
16/12/2021
See also: Calendar#add
With the Java 8 Date and Time API you can use the LocalDate class.
LocalDate
LocalDate.now().plusDays(nrOfDays)
See the Oracle Tutorial.
Simple, without any other API:
To add 8 days to the current day:
Date today = new Date(); long ltime = today.getTime()+8*24*60*60*1000; Date today8 = new Date(ltime);