一次在tableviewcell中显示一个单词

时间:2017-09-21 20:14:26

标签: ios swift tableview reload

我试图在tableview单元格中显示每个单词,每个单词之间有2秒的暂停。这可能吗?我不想继续重新加载修改单元格并重新加载它:

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()
        }

1 个答案:

答案 0 :(得分:0)

您可以使用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
    })
}

就是这样!显然你可以更多地改进代码,并根据你的需要定制代码,但至少这应该给你一个显示可行方法的工作示例。