andrewz
andrewz

Reputation: 5220

Static member cannot be used on instance of type

I am attempting to create an access method to a singleton. I am getting this error (see code below). I don't understand why I am getting this error and what this error means. Can anyone explain?

@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
  static private var thedelegate: AppDelegate?

  class var delegate : AppDelegate {
    return thedelegate!
  }

  func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool {
    thedelegate = self // syntax error: Static member 'thedelegate' cannot be used on instance of type 'AppDelegate'

Upvotes: 46

Views: 54024

Answers (2)

Sasha Kozachuk
Sasha Kozachuk

Reputation: 1303

You are trying to access Class level variable from the instance of that class. To use that you need to make Class level function: static func (). Try this:

static func sharedDelegate() -> AppDelegate {
    return UIApplication.sharedApplication().delegate as! AppDelegate
}

Upvotes: 29

bjc
bjc

Reputation: 1369

You need to prepend the static/class variable or function with the class name in which it is declared, even when in that same class.

In this case, you want to return AppDelegate.thedelegate!

and, as Martin R. points out, AppDelegate.thedelegate = self

Upvotes: 45

Related Questions