When I\'m declaring variables as weak
in Swift, I sometimes get the error message from Xcode:
\'weak\' may only be applied to class and
"weak" can apply anything which is inherited from class or class-bound protocol types
NSObjectProtocol:
protocol ViewControllerDelegate : NSObjectProtocol { func getInformation(value: String?) }
Well just in case anyone else thinks that you have everything correct in your code like me, check that you did not mistakenly replaced the :
by an =
.
Here is what I had. It was also giving me the same error as above:
protocol PenguinDelegate: class {
func userDidTapThePenguin()
}
class MyViewController: UIViewController {
weak var delegate = PenguinDelegate?
}
But the correct way is:
protocol PenguinDelegate: class {
func userDidTapThePenguin()
}
class MyViewController: UIViewController {
weak var delegate: PenguinDelegate?
}
Do you see the difference? It took me a while to see that I had an equal sign instead of a colon. Also note that I did get other errors for the same line for I had decided my first error seem like the most likely to be the real problem :
-
weak
may only be applied to class and class-bound protocol types
:-<
weak
only works for reference type, so Xcode would report an error if you are calling from struct
(instead of class
).
weak
is a qualifier for reference types (as opposed to value types, such as struct
s and built-in value types).
Reference types let you have multiple references to the same object. The object gets deallocated when the last strong reference stops referencing it (weak references do not count).
Value types, on the other hand, are assigned by copy. Reference counting does not apply, so weak
modifier does not make sense with them.
I find out in one case where you even have class type but still you get this error message.
For example,
class MyVC: UIViewController {
var myText: UITextView = {
[weak self]
let text = UITextView()
// some codes using self
return text
}()
}
Here an UITextView
object is returned from an anonymous block as initialization of var myText
. I got the same type of error message. To resolve the issue, the var
has to be marked as lazy
:
class MyVC: UIViewController {
lasy var myText: UITextView = {
[weak self]
let text = UITextView()
// some codes using self
return text
}()
}
weak
is for ARC(Automatic Reference Counting). It means not adding reference count. So it only works for Class
. And in Swift, you will get optional value for security.