Cannot declare variable inside @interface or @protocol

前端 未结 4 1630
时光说笑
时光说笑 2021-01-31 18:19

I have an iOS app built since the beginning with an error in it. Since the source was began constructed from the template, its appdelegate.h looks like:

@interfa         


        
相关标签:
4条回答
  • 2021-01-31 19:00

    They can't go there. You can put them inside the curly braces {} like this:

    @interface myAppDelegate : NSObject <UIApplicationDelegate> {
        UIWindow *window;
        myViewController *viewController;
    BOOL       myBool;     // intended to be globally accessible
    NSString   *myString;  // intended to be globally accessible
    }
    
    @end
    

    And that makes them global to the implementation class. But if you want them global to every class in your app then you should drop them in your App-Prefix.pch file:

    //
    // Prefix header for all source files of the ... project
    //
    #import <Availability.h>
    BOOL       myBool;     // intended to be globally accessible
    NSString   *myString;  // intended to be globally accessible
    #ifndef __IPHONE_3_0
    
    0 讨论(0)
  • 2021-01-31 19:00

    The compiler is complaining about the variables being in the @interface block, so move them out of it, either above the @interface or below @end. You'll actually probably want to change them to externs in the header and actually declare them in the .m file.

    0 讨论(0)
  • 2021-01-31 19:04

    Are you trying to define them as public members on a class? Classes in Objective-C are rather different than in other languages you might be familiar with. Outside of the curly braces you can only define methods. If you want to make a publicly-accessible member, define them as properties:

    @interface myAppDelegate : NSObject <UIApplicationDelegate> {
        UIWindow *window;
        myViewController *viewController;
        BOOL _myBool;
        NSString *_myString;
    }
    
    @property BOOL       myBool;     // intended to be globally accessible
    @property NSString   *myString;  // intended to be globally accessible
    
    @end
    

    Then in your @implementation do something like:

    @implementation myAppDelegate
    @synthesize myBool = _myBool;
    @synthesize myString = _myString;
    

    Then you can access them as myObject.myBool and so on.

    If you are just trying to make them into static ("global") data for all instances of the class, then as other posters have said, you want to move the definition into your .m file (and ideally declare them static so they won't cause link issues).

    0 讨论(0)
  • 2021-01-31 19:16

    C Global variables should be declared in .m implementation files, not in .h header files. An extern declaration can go in the .h header files, usually after the includes and outside the interface declarations.

    It's also good practice to initialize global object pointers to nil, or else they might contain a garbage object reference.

    0 讨论(0)
提交回复
热议问题