如何在Swift的两个日期之间获得一系列日期?

时间:2018-03-20 14:48:08

标签: swift date

考虑我们有一个函数签名:

func datesRange(from: Date, to: Date) -> [Date]

应该{​​{1}}日期和from日期实例,并返回一个包含其参数之间的日期(天)的数组。

我尝试了什么:

由于我尝试的结果是正确的,我宁愿将其添加为answer,所以:

我为什么要问?

“如果你已经想出了一个解决方案,为什么你要问它呢?!”

因为我认为我的解决方案有其他选择会更优雅,而不是做一个标准的迭代(可以设计为函数式编程风格或类似的东西)。

1 个答案:

答案 0 :(得分:7)

你可以像这样实现它:

func datesRange(from: Date, to: Date) -> [Date] {
    // in case of the "from" date is more than "to" date,
    // it should returns an empty array:
    if from > to { return [Date]() }

    var tempDate = from
    var array = [tempDate]

    while tempDate < to {
        tempDate = Calendar.current.date(byAdding: .day, value: 1, to: tempDate)!
        array.append(tempDate)
    }

    return array
}

用法:

let today = Date()
let nextFiveDays = Calendar.current.date(byAdding: .day, value: 5, to: today)!

let myRange = datesRange(from: today, to: nextFiveDays)
print(myRange)
/*
[2018-03-20 14:46:03 +0000,
 2018-03-21 14:46:03 +0000,
 2018-03-22 14:46:03 +0000,
 2018-03-23 14:46:03 +0000,
 2018-03-24 14:46:03 +0000,
 2018-03-25 14:46:03 +0000]
*/