Get the weeknumber from a given date in Java FX

前端 未结 4 879
孤城傲影
孤城傲影 2020-12-11 04:46

I have a javafx.scene.control.DatePicker. I want to extract the (Locale) week number from the selected date. Until now i haven\'t found a solution and i prefer not to write

相关标签:
4条回答
  • 2020-12-11 05:09

    You can use http://docs.oracle.com/javase/8/docs/api/java/time/LocalDate.html#get-java.time.temporal.TemporalField-

    LocalDate localDate = LocalDate.of(2014, 9, 18); // assuming we picked 18 September 2014
    int weekNumber = localDate.get(IsoFields.WEEK_OF_WEEK_BASED_YEAR);
    

    This will give you the week number based on ISO convention.

    For a locale based evaluation :

    LocalDate localDate = LocalDate.of(2014, 9, 18); // assuming we picked 18 September 2014
    WeekFields weekFields = WeekFields.of(Locale.US);
    int weekNumber = localDate.get(weekFields.weekOfWeekBasedYear());
    
    0 讨论(0)
  • 2020-12-11 05:16

    You can also use the DateTimeFormatter, looks easier for me :

    LocalDate date = LocalDate.now();
    DateTimeFormatter dtf = DateTimeFormatter.ofPattern("w");
    int week = Integer.parseInt(date.format(dtf));
    
    0 讨论(0)
  • 2020-12-11 05:23

    The Java-8-solution can take into account the local definition of a week using the value of a date-picker:

    LocalDate date = datePicker.getValue(); // input from your date picker
    Locale locale = Locale.US;
    int weekOfYear = date.get(WeekFields.of(locale).weekOfWeekBasedYear());
    

    Also keep in mind that the popular alternative Joda-Time does not support such a localized week-of-year fields. For example: In ISO-8601 (widely used) the week starts with Monday, in US with Sunday. Also the item when the first week of year starts in a given calendar year is dependent on the locale.

    0 讨论(0)
  • 2020-12-11 05:25

    FX DatePicker is based on the new (to jdk8) Date/Time api - time to learn how-to use it (not entirely sure I found the shortest way, though - corrections welcome :-)

    The picker's value is a LocalDate, which can be queried for certain TemporalFields. Locale-aware week-related fields are provided by the WeekFields class, f.i. weekOfYear:

    DatePicker picker = new DatePicker();
    picker.valueProperty().addListener((p, oldValue, newValue) -> {
        if (newValue == null) return;
        WeekFields fields = WeekFields.of(Locale.getDefault());
    
        // # may range from 0 ... 54 without overlapping the boundaries of calendar year
        int week = newValue.get(fields.weekOfYear());
    
        // # may range from 1 ... 53 with overlapping 
        int weekBased = newValue.get(fields.weekOfWeekBasedYear());
    
        LOG.info("week/Based " + week + "/" + weekBased);
    });
    

    To see the difference, choose f.i. January 2012 (in locales that start a week at Monday). Which one to actually use, depends on context - the picker itself uses weekOfYear (if showWeekNumbers is enabled)

    0 讨论(0)
提交回复
热议问题