iOS: tableView.reloadData() не работает в swift
Я пытаюсь перезагрузить представление таблицы после обновления данных в Swift, но, похоже, это не работает. Когда я меняю вкладку и возвращаюсь, представление таблицы перезагружается, но не автоматически. Вот мой код:
override func viewDidLoad() {
super.viewDidLoad()
// some code
refresh(self)
}
func refresh(sender: AnyObject) {
// Reload the data
self.tableView.reloadData()
}
Я не понимаю, почему он работает в Objective-C, но не в Swift... Я тоже попробовал поставить:
dispatch_async(dispatch_get_main_queue(), { () -> Void in
self.tableView.reloadData()
})
потому что я видел это в другом посте, но это тоже не работает.
Спасибо за помощь
EDIT: весь мой вид Контроллер
class HighwaysViewController: UITableViewController {
var highways: [Highway]!
override func viewDidLoad() {
super.viewDidLoad()
// Uncomment the following line to preserve selection between presentations
// self.clearsSelectionOnViewWillAppear = false
// Uncomment the following line to display an Edit button in the navigation bar for this view controller.
// self.navigationItem.rightBarButtonItem = self.editButtonItem()
highways = [Highway]()
// On ajoute le "Pull to refresh"
refreshControl = UIRefreshControl()
refreshControl!.addTarget(self, action: Selector("refresh:"), forControlEvents: UIControlEvents.ValueChanged)
tableView.addSubview(refreshControl!)
refresh(self)
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
func refresh(sender: AnyObject) {
// Afficher l'icône de chargement dans la barre de status
UIApplication.sharedApplication().networkActivityIndicatorVisible = true
// On télécharge les autoroutes
var url = NSURL(string: "http://theurl.com")! // URL du JSON
var request = NSURLRequest(URL: url) // Création de la requête HTTP
var queue = NSOperationQueue() // Création de NSOperationQueue à laquelle le bloc du gestionnaire est distribué lorsque la demande complète ou échoué
// Envoi de la requête asynchrone en utilisant NSURLConnection
NSURLConnection.sendAsynchronousRequest(request, queue: queue, completionHandler:{(response: NSURLResponse!, data: NSData!, error: NSError!) ->Void in
// Gestion des erreurs de connexion
if error != nil {
// Masquer l'icône de chargement dans la barre de status
UIApplication.sharedApplication().networkActivityIndicatorVisible = false
println(error.localizedDescription)
let errorAlert = UIAlertView(title: "Erreur", message: error.localizedDescription, delegate: self, cancelButtonTitle: "OK")
errorAlert.show()
}
else {
// Récupération du JSON et gestion des erreurs
let json = JSON(data: data)
if let highwaysData = json.arrayValue {
for highway in highwaysData {
var newHighway = Highway(ids: highway["Ids"].stringValue, name: highway["Name"].stringValue, label: highway["Direction"].stringValue, length: highway["Length"].stringValue, directions: highway["Direction"].stringValue, operateur: highway["Operator"].stringValue)
self.highways.append(newHighway)
}
}
}
})
if (self.refreshControl!.refreshing) {
self.refreshControl!.endRefreshing()
}
tableView.reloadData() // Here is the problem
// Masquer l'icône de chargement dans la barre de status
UIApplication.sharedApplication().networkActivityIndicatorVisible = false
}
// MARK: - Table view data source
override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
// Return the number of rows in the section.
return highways.count
}
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCellWithIdentifier("highwayCell", forIndexPath: indexPath) as UITableViewCell
// Configure the cell...
let tableCell = highways[indexPath.row]
let nameLabel = cell.viewWithTag(1) as UILabel
let directionLabel = cell.viewWithTag(2) as UILabel
nameLabel.text = tableCell.name!
directionLabel.text = tableCell.getDirections()
return cell
}
/*
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
// Get the new view controller using [segue destinationViewController].
// Pass the selected object to the new view controller.
}
*/
}
2 ответов
в своем refresh
функция, ваша загрузка завершается асинхронно с помощью закрытия, но вы обновляете индикатор активности и перезагружаете таблицу вне закрытия, поэтому она будет выполняться до завершения загрузки. Вам нужно переместить этот код внутри закрытия и убедиться, что он выполняется в главной очереди (по мере обновления пользовательского интерфейса)
func refresh(sender: AnyObject) {
// Afficher l'icône de chargement dans la barre de status
UIApplication.sharedApplication().networkActivityIndicatorVisible = true
// On télécharge les autoroutes
var url = NSURL(string: "http://theurl.com")! // URL du JSON
var request = NSURLRequest(URL: url) // Création de la requête HTTP
var queue = NSOperationQueue() // Création de NSOperationQueue à laquelle le bloc du gestionnaire est distribué lorsque la demande complète ou échoué
// Envoi de la requête asynchrone en utilisant NSURLConnection
NSURLConnection.sendAsynchronousRequest(request, queue: queue, completionHandler:{(response: NSURLResponse!, data: NSData!, error: NSError!) ->Void in
// Gestion des erreurs de connexion
if error != nil {
// Masquer l'icône de chargement dans la barre de status
UIApplication.sharedApplication().networkActivityIndicatorVisible = false
println(error.localizedDescription)
let errorAlert = UIAlertView(title: "Erreur", message: error.localizedDescription, delegate: self, cancelButtonTitle: "OK")
errorAlert.show()
}
else {
// Récupération du JSON et gestion des erreurs
let json = JSON(data: data)
if let highwaysData = json.arrayValue {
for highway in highwaysData {
var newHighway = Highway(ids: highway["Ids"].stringValue, name: highway["Name"].stringValue, label: highway["Direction"].stringValue, length: highway["Length"].stringValue, directions: highway["Direction"].stringValue, operateur: highway["Operator"].stringValue)
self.highways.append(newHighway)
}
}
}
dispatch_async(dispatch_get_main_queue(), {
if (self.refreshControl!.refreshing) {
self.refreshControl!.endRefreshing()
}
self.tableView.reloadData()
// Masquer l'icône de chargement dans la barre de status
UIApplication.sharedApplication().networkActivityIndicatorVisible = false
})
})
}
Если вы используете контроллер панели вкладок (который звучит так, как будто вы), и ожидаете обновления таблицы после изменения чего-то на другой вкладке, вам нужно будет вызвать tableView.reloadData() изнутри метода viewWillAppear() или viewDidAppear () контроллера вида назначения. viewDidLoad () вызывается только один раз для жизни этого контроллера представления.