阅读量:0
在Java中,你可以使用java.time
包中的YearMonth
类来实现按季度分组的功能。以下是一个简单的示例:
import java.time.LocalDate; import java.time.YearMonth; import java.util.ArrayList; import java.util.HashMap; import java.util.List; import java.util.Map; public class QuarterGrouping { public static void main(String[] args) { List<LocalDate> dates = new ArrayList<>(); dates.add(LocalDate.of(2021, 1, 1)); dates.add(LocalDate.of(2021, 3, 31)); dates.add(LocalDate.of(2021, 4, 1)); dates.add(LocalDate.of(2021, 6, 30)); dates.add(LocalDate.of(2021, 7, 1)); dates.add(LocalDate.of(2021, 9, 30)); dates.add(LocalDate.of(2021, 10, 1)); dates.add(LocalDate.of(2021, 12, 31)); Map<Integer, List<LocalDate>> groupedDates = groupByQuarter(dates); for (Map.Entry<Integer, List<LocalDate>> entry : groupedDates.entrySet()) { System.out.println("Quarter " + entry.getKey() + ": " + entry.getValue()); } } public static Map<Integer, List<LocalDate>> groupByQuarter(List<LocalDate> dates) { Map<Integer, List<LocalDate>> groupedDates = new HashMap<>(); for (LocalDate date : dates) { YearMonth yearMonth = YearMonth.from(date); int quarter = getQuarter(yearMonth); if (!groupedDates.containsKey(quarter)) { groupedDates.put(quarter, new ArrayList<>()); } groupedDates.get(quarter).add(date); } return groupedDates; } public static int getQuarter(YearMonth yearMonth) { int month = yearMonth.getMonthValue(); if (month >= 1 && month <= 3) { return 1; } else if (month >= 4 && month <= 6) { return 2; } else if (month >= 7 && month <= 9) { return 3; } else { return 4; } } }
这个示例首先创建了一个包含多个LocalDate
对象的列表。然后,我们使用groupByQuarter
方法将这些日期按季度分组。groupByQuarter
方法遍历日期列表,并使用YearMonth.from()
方法将每个日期转换为YearMonth
对象。接下来,我们使用getQuarter
方法根据月份确定季度,并将日期添加到相应的季度列表中。最后,我们打印出按季度分组的日期。