Is force cast really bad and should always avoid it?

前端 未结 7 1292
无人及你
无人及你 2020-12-13 09:11

I started to use swiftLint and noticed one of the best practices for Swift is to avoid force cast. However I used it a lot when handling tableView, collectionView for cells

相关标签:
7条回答
  • 2020-12-13 09:42

    In cases where you are really sure the object should be of the specified type it would be OK to down cast. However, I use the following global function in those cases to get a more meaningful result in the logs which is in my eyes a better approach:

    public func castSafely<T>(_ object: Any, expectedType: T.Type) -> T {
        guard let typedObject = object as? T else {
            fatalError("Expected object: \(object) to be of type: \(expectedType)")
        }
        return typedObject
    }
    

    Example usage:

    class AnalysisViewController: UIViewController {
    
        var analysisView: AnalysisView {
            return castSafely(self.view, expectedType: AnalysisView.self)
        }
    
        override func loadView() {
            view = AnalysisView()
        }
    }
    
    0 讨论(0)
  • 2020-12-13 09:45

    "Force Cast" has its place, when you know that what you're casting to is of that type for example.

    Say we know that myView has a subview that is a UILabel with the tag 1, we can go ahead and force down cast from UIView to UILabel safety:

    myLabel = myView.viewWithTag(1) as! UILabel
    

    Alternatively, the safer option is to use a guard.

    guard let myLabel = myView.viewWithTag(1) as? UILabel else {
      ... //ABORT MISSION
    }
    

    The latter is safer as it obviously handles any bad cases but the former, is easier. So really it comes down to personal preference, considering whether its something that might be changed in the future or if you're not certain whether what you are unwrapping will be what you want to cast it to then in that situation a guard would always be the right choice.

    To summarise: If you know exactly what it will be then you can force cast otherwise if theres the slightest chance it might be something else use a guard

    0 讨论(0)
  • 2020-12-13 09:51

    Others have written about a more general case, but I want to give my solution to this exact case:

    guard let cell = tableView.dequeueReusableCell(
        withIdentifier: PropertyTableViewCell.reuseIdentifier,
        for: indexPath) as? PropertyTableViewCell
    else {
        fatalError("DequeueReusableCell failed while casting")
    }
    

    Basically, wrap it around a guard statement and cast it optionally with as?.

    0 讨论(0)
  • 2020-12-13 09:52

    When you are working with your types and are sure that they have an expected type and always have values, it should force cast. If your apps crash you can easily find out you have a mistake on which part of UI, Dequeuing Cell, ...

    But when you are going to cast types that you don't know that is it always the same type? Or is that always have value? You should avoid force unwrap

    Like JSON that comes from a server that you aren't sure what type is that or one of that keys have value or not

    Sorry for my bad English I’m trying to improve myself

    Good luck

    0 讨论(0)
  • 2020-12-13 09:56

    This question is probably opinion based, so take my answer with a grain of salt, but I wouldn't say that force downcast is always bad; you just need to consider the semantics and how that applies in a given situation.

    as! SomeClass is a contract, it basically says "I guarantee that this thing is an instance of SomeClass". If it turns out that it isn't SomeClass then an exception will be thrown because you violated the contract.

    You need to consider the context in which you are using this contract and what appropriate action you could take if you didn't use the force downcast.

    In the example you give, if dequeueReusableCellWithIdentifier doesn't give you a MyOffersViewCell then you have probably misconfigured something to do with the cell reuse identifier and an exception will help you find that issue.

    If you used a conditional downcast then you are going to get nil and have to handle that somehow - Log a message? Throw an exception? It certainly represents an unrecoverable error and something that you want to find during development; you wouldn't expect to have to handle this after release. Your code isn't going to suddenly start returning different types of cells. If you just let the code crash on the force downcast it will point straight to the line where the issue occurred.

    Now, consider a case where you are accessing some JSON retrieved from a web service. There could be a change in the web service that is beyond your control so handling this more gracefully might be nice. Your app may not be able to function but at least you can show an alert rather than simply crashing:

    BAD - Crashes if JSON isn't an array

     let someArray=myJSON as! NSArray 
     ...
    

    Better - Handle invalid JSON with an alert

    guard let someArray=myJSON as? NSArray else {
        // Display a UIAlertController telling the user to check for an updated app..
        return
    }
    
    0 讨论(0)
  • 2020-12-13 09:56

    Update

    After using Swiftlint for a while, I am now a total convert to the Zero Force-Unwrapping Cult (in line with @Kevin's comment below).

    There really isn't any situation where you need to force-unwrap an optional that you can't use if let..., guard let... else, or switch... case let... instead.

    So, nowadays I would do this:

    for media in mediaArray {
        if let song = media as? Song {
            // use Song class's methods and properties on song...
    
        } else if let movie = media as? Movie {
            // use Movie class's methods and properties on movie...
        }
    }
    

    ...or, if you prefer the elegance and safety of an exhaustive switch statement over a bug-prone chain of if/elses, then:

    switch media {
    case let song as Song:
        // use Song class's methods and properties on song...
    case let movie as Movie:    
        // use Movie class's methods and properties on movie...
    default:
        // Deal with any other type as you see fit...
    }
    

    ...or better, use flatMap() to turn mediaArray into two (possibly empty) typed arrays of types [Song] and [Movie] respectively. But that is outside the scope of the question (force-unwrap)...

    Additionally, I won't force unwrap even when dequeuing table view cells. If the dequeued cell cannot be cast to the appropriate UITableViewCell subclass, that means there is something wrong with my storyboards, so it's not some runtime condition I can recover from (rather, a develop-time error that must be detected and fixed) so I bail with fatalError().


    Original Answer (for the record)

    In addition to Paulw11's answer, this pattern is completely valid, safe and useful sometimes:

    if myObject is String {
       let myString = myObject as! String
    }
    

    Consider the example given by Apple: an array of Media instances, that can contain either Song or Movie objects (both subclasses of Media):

    let mediaArray = [Media]()
    
    // (populate...)
    
    for media in mediaArray {
       if media is Song {
           let song = media as! Song
           // use Song class's methods and properties on song...
       }
       else if media is Movie {
           let movie = media as! Movie
           // use Movie class's methods and properties on movie...
       }
    
    0 讨论(0)
提交回复
热议问题