Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to check if IndexPath is valid?

Prior to swift 3, i used to use for example:

let path = self.tableView.indexPathForSelectedRow
if (path != NSNotFound) {
//do something
 }

But now, since i use IndexPath class in swift3, i'm looking for the equivalent for the path != NSNotFound check.

Xcode8.3.1 compiler error: "Binary operator '!=' cannot be applied to operands of type 'IndexPath' and 'Int'"

like image 302
Lirik Avatar asked Apr 25 '17 15:04

Lirik


3 Answers

Improving the answer by @pableiros to handle edge case where section or row less than 0. This will happen when the table is empty and you try to access it by listOfSectionHeaders.count - 1, listOfRowsForSection.count - 1

extension UITableView {
    func isValid(indexPath: IndexPath) -> Bool {
        return indexPath.section >= 0 
            && indexPath.section < self.numberOfSections 
            && indexPath.row >= 0 
            && indexPath.row < self.numberOfRows(inSection: indexPath.section)
    }
}
like image 156
Parth Tamane Avatar answered Oct 20 '22 06:10

Parth Tamane


To check if IndexPath exists, I use this extension function:

import UIKit

extension UITableView {

    func hasRowAtIndexPath(indexPath: IndexPath) -> Bool {
        return indexPath.section < self.numberOfSections && indexPath.row < self.numberOfRows(inSection: indexPath.section)
    }
}

And to use it I do something like this:

if tableView.hasRowAtIndexPath(indexPath: indexPath) {
    // do something
}
like image 45
pableiros Avatar answered Oct 20 '22 07:10

pableiros


Semantically, to consider an indexPath invalid, you need something to check for such as a table view or a collection view.

Usually you can consider an indexPath invalid if it represents a row where there is no corresponding data in the data source. (One exception would be "Load more" rows.)

If you really need to create an invalid IndexPath, you can do:

let invalidIndexPath = IndexPath(row: NSNotFound, section: NSNotFound)

After the update:

self.tableView.indexPathForSelectedRow returns an Optional so can be nil if there is no selected row.

if let path = tableView.indexPathForSelectedRow {
  // There is a selected row, so path is not nil.
}
else {
  // No row is selected.
}

Anyway, comparing path against NSNotFound raises an exception in all cases.

like image 40
Ozgur Vatansever Avatar answered Oct 20 '22 08:10

Ozgur Vatansever