如何在 Swift 中最好地将对象组织成月份和年份?
Posted
技术标签:
【中文标题】如何在 Swift 中最好地将对象组织成月份和年份?【英文标题】:How best to organize objects into month and year in Swift? 【发布时间】:2018-02-18 17:16:48 【问题描述】:在 HealthKit 中工作时,我需要按月和年组织一系列 HealthKit 锻炼(以便显示 2018 年 1 月、2018 年 2 月等的锻炼)。让我感到困难的是,我首先需要检查给定月份和年份是否有锻炼,如果没有,我需要为其创建数组,是否需要附加到现有数组。我也不确定最好的数据模型,我正在考虑使用 [[Month:Year]]
但这似乎不是很 Swifty?
guard let workoutsUnwrapped = workouts else return
for workout in workoutsUnwrapped
let calendar = Calendar.current
let year = calendar.component(.year, from: workout.startDate)
let month = calendar.component(.month, from: workout.startDate)
【问题讨论】:
这样的事情我并不真正担心“Swift”,我更关心如何最好地对日期进行排序。这意味着询问您打算如何处理这些日期?您是否主要按时间顺序工作?如果是这样,无论使用哪种语言,都按 YYYYMMDD 执行。您是否希望主要以“年复一年”的方式工作?您可能(但可能不会)按 MMYYYY 或 MMDDYYYY 排序。先告诉我们(和你自己),然后再担心如何让你的代码“Swift”。 (并且不要害怕只使用有效的方法。如果这 5 个代码矿——忽略最后的右括号——对你有用,好吗? 谢谢您,我正在尝试使用一个部分填充表格视图,以分割每个月的锻炼。 除了@rmaddy 提供的答案,也请检查这个答案:***.com/questions/29578965/… 【参考方案1】:我首先创建一个struct
来保存年份和月份:
struct YearMonth: Comparable, Hashable
let year: Int
let month: Int
init(year: Int, month: Int)
self.year = year
self.month = month
init(date: Date)
let comps = Calendar.current.dateComponents([.year, .month], from: date)
self.year = comps.year!
self.month = comps.month!
var hashValue: Int
return year * 12 + month
static func == (lhs: YearMonth, rhs: YearMonth) -> Bool
return lhs.year == rhs.year && lhs.month == rhs.month
static func < (lhs: YearMonth, rhs: YearMonth) -> Bool
if lhs.year != rhs.year
return lhs.year < rhs.year
else
return lhs.month < rhs.month
现在您可以将其用作字典中的键,其中每个值都是锻炼数组。
var data = [YearMonth: [HKWorkout]]()
现在迭代你的锻炼:
guard let workouts = workouts else return
for workout in workouts
let yearMonth = YearMonth(date: workout.startDate)
var yearMonthWorkouts = data[yearMonth, default: [HKWorkout]())
yearMonthWorkouts.append(workout)
data[yearMonth] = yearMonthWorkouts
完成此操作后,您的所有锻炼都会按年/月分组。
您可以为字典中的键构建年/月的排序列表。
let sorted = data.keys.sorted()
要将其应用于表格视图,请使用sorted
定义节数。对于每个部分,从data
获取对应部分的给定YearMonth
的锻炼数组。
【讨论】:
return (lhs.year, lhs.month) < (rhs.year, rhs.month)
***.com/a/48200611/2303865
从 Swift 4 开始使用 init(grouping:by:) 而不是 for 循环。 developer.apple.com/documentation/swift/dictionary/2919592-init
我认为使用Calendar(identifier: .gregorian)
而不是Calendar.current
可能更安全。否则,感谢您提供这种优雅的方法。 @JoshHomann 发布的链接已失效,这是(当前)工作副本:developer.apple.com/documentation/swift/dictionary/2995342-init以上是关于如何在 Swift 中最好地将对象组织成月份和年份?的主要内容,如果未能解决你的问题,请参考以下文章