使用引用应用程序,作为初学者,我决定在我的应用程序中排除使用CoreData和Sqlite。因此我决定尝试一个集合并更改文本标签。我有一个存储在数组中的集合。我试图实现每24小时更改一次的文本,并在8:00 A.M E.S.T(所以8 A.M到8 A.M)发生变化我希望大纲有点像
quoteindex = 0
if(time_elasped:24 hours something about 8:00 A.M EST) {
quote.text = quoteCollection.quoteArray[quoteIndex]
quoteindex++ (next quote in array)
}
我如何根据语法组织这样的东西?我会使用另一个循环吗?
答案 0 :(得分:4)
一种简单的方法是使用NSUserDefaults存储包含用户上次检索报价时的最后一次和索引的NSDictionary。
在viewDidLoad中:(或制作独立函数 - checkLastRetrieval())
let userDefaults = NSUserDefaults.standardUserDefaults()
if let lastRetrieval = userDefaults.dictionaryForKey("lastRetrieval") {
if let lastDate = lastRetrieval["date"] as? NSDate {
if let index = lastRetrieval["index"] as? Int {
if abs(lastDate.timeIntervalSinceNow) > 86400 { // seconds in 24 hours
// Time to change the label
var nextIndex = index + 1
// Check to see if next incremented index is out of bounds
if self.myQuoteArray.count <= nextIndex {
// Move index back to zero? Behavior up to you...
nextIndex = 0
}
self.myLabel.text = self.myQuoteArray[nextIndex]
let lastRetrieval : [NSObject : AnyObject] = [
"date" : NSDate(),
"index" : nextIndex
]
userDefaults.setObject(lastRetrieval, forKey: "lastRetrieval")
userDefaults.synchronize()
}
// Do nothing, not enough time has elapsed to change labels
}
}
} else {
// No dictionary found, show first quote
self.myLabel.text = self.myQuoteArray.first!
// Make new dictionary and save to NSUserDefaults
let lastRetrieval : [NSObject : AnyObject] = [
"date" : NSDate(),
"index" : 0
]
userDefaults.setObject(lastRetrieval, forKey: "lastRetrieval")
userDefaults.synchronize()
}
如果您想确保特定时间(如上午8点)或确保每个实际日期(星期一,星期二等)都有唯一的报价,您可以更具体地使用NSDate。如果用户在超过24小时前看过报价,此示例只会更改标签。
查看NSUserDefaults的文档。
修改强>: 如果您想在新报价的第二天上午8点通知用户,您可以向用户发送local notification。
let notification = UILocalNotification()
notification.fireDate = NSDate(timeIntervalSinceNow: someTimeInterval)
notification.timeZone = NSCalender.currentCalendar().timeZone
notification.alertBody = "Some quote" // or "Check the app"
notiication.hasAction = true
notification.alertAction = "View"
application.scheduleLocalNotification(notification)
您必须将timeInterval计算为第二天上午8点剩余的时间。检查这个答案:https://stackoverflow.com/a/15262058/2881524(这是客观的 - 但你应该能够弄清楚)
修改强>
要在视图进入前台时执行代码,您需要在AppDelegate的applicationWillEnterForeground方法中发布通知。并在视图控制器中添加该通知的观察者。
AppDelegate 中的
let notification = NSNotification(name: "CheckLastQuoteRetrieval", object: nil)
NSNotificationCenter.defaultCenter().postNotification(notification)
ViewController 中的
override func viewWillAppear(animated: Bool) {
super.viewWillAppear(animated)
NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("checkLastRetrieval"), name: "CheckLastQuoteRetrieval", object: nil)
checkLastRetrieval()
}