从昨天开始我就一直在为这个问题而挣扎,但我还是输了。与日期相关的东西真的是我编程中的克星。
让我解释一下情况。我来自斯里兰卡(GMT+5:30),正在瑞典与一位客户合作(GMT+1)。我正在从托管在那里的API检索JSON响应。这是它的存根。响应中的每个字典数组都被称为切换。
[
{
"Tim" : 8,
"Pat" : {
"Id" : 5104
},
"Sta" : "Ej utfört",
"SB" : 1066,
"CB" : 0,
"Date" : "2015-02-19T00:00:00+01:00",
"DD" : null,
"HTI" : 1
},
{
"Tim" : 8,
"Pat" : {
"Id" : 5029
},
"Sta" : "",
"SB" : null,
"CB" : 0,
"Date" : "2015-02-19T00:00:00+01:00",
"DD" : null,
"HTI" : 1
}
]
这里的麻烦制造者是Date
字段。正如您所看到的,日期字符串是以ISO8601格式发送的。我在应用程序方面所做的是用它们创建对象,并将其存储在核心数据中。因此,为了保存这个日期值,首先我使用这个名为ISO8601DateFormatter的库将日期字符串转换为NSDate
。下面是我为此编写的helper方法。
public class func getDateFromISO8601DateString(dateString: String?) -> NSDate? {
if let dateString = dateString {
let formatter = ISO8601DateFormatter()
formatter.defaultTimeZone = NSTimeZone.localTimeZone()
formatter.includeTime = true
let convertedDate = formatter.dateFromString(dateString)
return convertedDate
} else {
return nil
}
}
现在,当我转换日期字符串2015-02-19T00:00+01:00时,我会得到这个NSDate
值,2015 02-18 23:00:00+0000。
稍后在应用程序中,我需要检索一组当前日期的移交。下面是我为此编写的代码。
let fetchRequest = NSFetchRequest()
let entityDescription = NSEntityDescription.entityForName("Handover", inManagedObjectContext: NSManagedObjectContext.MR_defaultContext())
let datePredicate = NSPredicate(format: "date > %@ AND date < %@", NSDate().beginningOfDay(), NSDate().endOfDay())
fetchRequest.entity = entityDescription
fetchRequest.predicate = datePredicate
var error: NSError?
let handovers = NSManagedObjectContext.MR_defaultContext().executeFetchRequest(fetchRequest, error: &error) as? [Handover]
return handovers
这是另一个使用日期的地方。要根据日期值筛选出记录,我需要获得日期的开始时间和结束时间。所以我有以下方法来返回这些值。这些方法取自这个库。
func beginningOfDay() -> NSDate {
let calendar = NSCalendar.currentCalendar()
calendar.timeZone = NSTimeZone.localTimeZone()
let components = calendar.components(.YearCalendarUnit | .MonthCalendarUnit | .DayCalendarUnit, fromDate: self)
return calendar.dateFromComponents(components)!
}
func endOfDay() -> NSDate {
let calendar = NSCalendar.currentCalendar()
calendar.timeZone = NSTimeZone.localTimeZone()
let components = NSDateComponents()
components.day = 1
return calendar.dateByAddingComponents(components, toDate: self.beginningOfDay(), options: .allZeros)!.dateByAddingTimeInterval(-1)
}
以下是我从这些方法中得到的值。
beginningOfDay()
-2015-02-18 18:30:00+0000
endOfDay()
-2015-02-19 18:29:59+0000
这是疯狂的部分。当我在我居住的地方运行应用程序时,所有这些代码都有效。但是当我的客户端运行它时,切换获取方法返回的结果为零!
我已经找到了这个问题,发现日期和时间有问题。但我就是想不出纠正的方法。无论在哪里进行日期操作,我都会将时区设置为localTimeZone()
。在AppDelegate的didFinishLaunchingWithOptions
方法中,我还重置了时区NSTimeZone.resetSystemTimeZone()
。似乎什么都不管用。
有人有什么想法/建议吗?如果你能帮我解决这个问题,我将不胜感激。
谢谢。
日期"2015-02-19T00:00:00+01:00"正是GMT+01时区,因此与谓词不匹配
NSPredicate(format: "date > %@ AND date < %@", NSDate().beginningOfDay(), NSDate().endOfDay())
用>=
替换第一个>
应该可以解决问题:
NSPredicate(format: "date >= %@ AND date < %@", NSDate().beginningOfDay(), NSDate().endOfDay())
在CCD_ 11方法中也不需要减去1秒,因为您已经将第二个日期与<
进行了比较。