Initialising a static variable in Objective-C category

后端 未结 5 670
南笙
南笙 2020-12-23 18:10

I was trying to create a static variable to store a dictionary of images. Unfortunately, the best way I could find to initialise it was to check in each function that used t

相关标签:
5条回答
  • 2020-12-23 18:47

    All you need is to set your static once at a known point before it is used. For example, you can set an NSApplication delegate and have it do the work in -applicationDidFinishLaunching:

    0 讨论(0)
  • 2020-12-23 18:53

    One option is to use C++. Change the file's extension to .mm and replace = NULL with [[NSMutableDictionary alloc] init].

    0 讨论(0)
  • 2020-12-23 19:06
    __attribute__((constructor))
    static void initialize_navigationBarImages() {
      navigationBarImages = [[NSMutableDictionary alloc] init];
    }
    
    __attribute__((destructor))
    static void destroy_navigationBarImages() {
      [navigationBarImages release];
    }
    

    These function will be called automatically when the program starts and ends.

    0 讨论(0)
  • 2020-12-23 19:07

    Consider this approach,

    static NSMutableDictionary *navigationBarImages()
    {
        static NSMutableDictionary *dict = NULL;
        if(dict == NULL)
        {
            dict = [[NSMutableDictionary alloc] init];
        }
        return [[dict retain] autorelease];
    }
    

    then whenever you woulde use navigationBarImages, replace it with navigationBarImages(), like this:

    change

    NSString *imageName=[navigationBarImages objectForKey:self];
    

    to

    NSString *imageName=[navigationBarImages() objectForKey:self];
    

    If the function call overhead bothers you, maybe use a temporary variable to catch the return of navigationBarImages(),

    NSMutableDictionary *dict = navigationBarImages();
    [dict doSomething];
    [dict doSomething];
    

    The drawback is once you called navigationBarImages(), the instance of NSMutableDictionary got created, then it'll never get chance to dealloc until the end of the program.

    0 讨论(0)
  • You could add +initialize in the .m file of your category — you'll just need to make sure you're not smashing an existing implementation or you'll get general wonkiness. (Obviously, you can be sure of this if you wrote the code, but with third-party code, this is probably not the best approach.)

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