我试图显示每个单词之间有2秒钟的暂停在tableview单元格中的每个单词。这可能吗?我不想继续重新加载修改单元格并像这样重新加载它:
var fullNameArr = message.characters.split{$0 == " "}.map(String.init)
var firstWord = true
for word in fullNameArr {
if firstWord {
firstWord = false
captionsArray.append(CaptionObject(isMacro:isMacro, number: numberToCall!.number, caption: word, time: String(describing:currentTimeInMiliseconds())))
self.reloadTableAndScroll()
} else {
let cap = self.captionsArray.last!
cap.caption = cap.caption + " " + word
captionsArray.remove(at: captionsArray.count)
captionsArray.append(cap)
self.reloadTableAndScroll()
}
self.reloadTableAndScroll()
}
最佳答案
您可以使用Timer
来实现。
要创建Timer
,只需在类的顶部声明计时器变量,然后在viewDidLoad
方法中对其进行初始化:
var timer: Timer?
override func viewDidLoad() {
super.viewDidLoad()
timer = Timer.scheduledTimer(timeInterval: 2.0, target: self, selector: #selector(addWordCell), userInfo: nil, repeats: true)
// ...
}
现在每2秒将调用您的
addWordCell
方法。顺便说一句,我建议您使用
insertsRows
方法而不是一直重新加载表视图,这样会更加高效。例如,您可以这样编写addWordCell
方法:var words = [String]()
var currentWordIndex = 0
let sentence = "Hello how are you doing today?"
func addWordCell() {
let wordsArray = sentence.components(separatedBy: " ").map({ $0 })
guard currentWordIndex < wordsArray.count else {
return
}
words.append(wordsArray[currentWordIndex])
tableView.beginUpdates()
tableView.insertRows(at: [IndexPath(row: words.count-1, section: 0)], with: .fade)
tableView.endUpdates()
currentWordIndex += 1
}
当然,您需要更改表视图数据源方法:
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return words.count
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: reuseIdentifier, for: indexPath)
cell.textLabel?.text = words[indexPath.row]
return cell
}
现在,如果要在出现新单元格时添加一个不错的淡入淡出效果,可以使用
willDisplayCell
方法:override func tableView(_ tableView: UITableView, willDisplay cell: UITableViewCell, forRowAt indexPath: IndexPath) {
cell.alpha = 0.0
UIView.animate(withDuration: 0.6, animations: {
cell.alpha = 1.0
})
}
而已!显然,您可以进一步改进代码,并对其进行自定义以满足您的需求,但是至少这应该为您提供一些可行的示例,展示一种可行的方法。