-1
//explain
public class DateLoop {
    static String finalDate; 
    static String particularDate;

    public static void main(String[] args) {
        // TODO Auto-generated method stub

        SimpleDateFormat sdf = new SimpleDateFormat("d-M-yyyy ");
        Calendar cal = Calendar.getInstance();
        particularDate = "2-1-2018";
        // get starting date
        cal.add(Calendar.DAY_OF_YEAR, -7);

        // loop adding one day in each iteration
        for(int i = 0; i< 7; i++){
            cal.add(Calendar.DAY_OF_YEAR, 1);
            finalDate =sdf.format(cal.getTime());
            System.out.println(finalDate);
            //ie, its giving previous 7 dates from present date, but I want
            //particular date... thanks in advance
        }
    }

}

即,它给出了从当前日期开始的前 7 个日期,但我想要从特定日期开始的前 7 个日期。

4

3 回答 3

3

tl;博士

LocalDate.of( 2018 , Month.JANUARY , 23 )
         .minusDays( … )

java.time

您正在使用麻烦的旧日期时间类,它们现在是遗留的,被java.time类所取代。

仅用于LocalDate没有时间的日期。

使用Month枚举。

LocalDate start = LocalDate.of( 2018 , Month.JANUARY , 23 ) ;  // 2018-01-23.

使用月份数字,1-12 表示 1 月至 12 月。

LocalDate start = LocalDate.of( 2018 , 1 , 23 ) ;  // 2018-01-23.

收集一系列日期。

List<LocalDate> dates = new ArrayList<>( 7 ) ;
for( int i = 1 ; i <= 7 ; i ++ ) {
    LocalDate ld = start.minusDays( i ) ;  // Determine previous date.
    dates.add( ld ) ;  // Add that date object to the list. 
}

对于早期的 Android,请使用ThreeTen-BackportThreeTenABP项目。

于 2018-01-09T20:27:10.510 回答
1

正如 Uta Alexandru 和 Basil Bourque 已经说过的,不要使用长期过时的类SimpleDateFormatCalendar. java.time,现代 Java 日期和时间 API,也称为 JSR-310,使用起来更方便:

    DateTimeFormatter dtf = DateTimeFormatter.ofPattern("d-M-uuuu");
    LocalDate date = LocalDate.parse("2-1-2018", dtf)
            .minusDays(7);

    for(int i = 0; i < 7; i++) {
        date = date.plusDays(1);
        String finalDate = date.format(dtf);
        System.out.println(finalDate);
    }

这打印:

27-12-2017
28-12-2017
29-12-2017
30-12-2017
31-12-2017
1-1-2018
2-1-2018

不仅代码更简单更短,更重要的是,它更清晰、更自然地阅读。

问题:我可以java.time在安卓上使用吗?

你当然可以。它只需要至少 Java 6

  • 在 Java 8 及更高版本中,新的 API 是内置的。
  • 在 Java 6 和 7 中获得 ThreeTen Backport,即新类的后向端口(JSR 310 的 ThreeTen)。
  • 在 Android 上,使用 ThreeTen Backport 的 Android 版本。它被称为 ThreeTenABP。

链接

于 2018-01-09T20:34:55.150 回答
0

如果您想从某些数据中获取一些日期,请执行以下操作。

public void dateFromRandomDate(String date){
    SimpleDateFormat formatter2=new SimpleDateFormat("dd-MMM-yyyy");  
    Date date2=formatter2.parse(date); 
    Calendar calendar = Calendar.getInstance();
    //this sets the date to given date
    calendar.calendar.setTime(date2);
    //now call getTime() or add ,subtract date from here
    //this will add 1 year to given one,similarlly others will work.
    calendar.add(Calendar.YEAR,1);
}
于 2018-01-09T18:42:43.267 回答