What's the meaning of static variables in an implementation of an interface?

后端 未结 4 1786
悲哀的现实
悲哀的现实 2020-12-04 09:37

I don\'t quite understand static variables when defined in the implementation of an interface. In methods I do understand how they differ from local variables, but not when

相关标签:
4条回答
  • 2020-12-04 10:11

    "In both C and Objective-C, a static variable is a variable that is allocated for the entire lifetime of a program. This is in contrast to automatic variables, whose lifetime exists during a single function call; and dynamically-allocated variables like objects, which can be released from memory when no longer used. More simply put, a static variable's value is maintained throughout all function/method calls. When declared outside of a function, a static variable is visible to everything within the file in which it is declared; when declared inside a function or method, it is visible only within that function or method, but the value is retained between calls."

    Check out the complete explanation here:

    https://stackoverflow.com/a/4965145/951349

    0 讨论(0)
  • 2020-12-04 10:14

    Unfortunately, it has different effects depending on where you use it.

    Static Functions:
    By default, all functions have a global scope. The static specifier lets you limit the function’s scope to the current file.

    Static Local Variables:
    When you use the static modifier on a local variable, the function “remembers” its value across invocations. For example, the currentCount variable in the following snippet never gets reset, so instead of storing the count in a variable inside of main(), we can let countByTwo() do the recording for us.

    // main.m
    #import <Foundation/Foundation.h>
    
    int countByTwo() {
        static int currentCount = 0;
        currentCount += 2;
        return currentCount;
    }
    
    int main(int argc, const char * argv[]) {
        @autoreleasepool {
            NSLog(@"%d", countByTwo());    // 2
            NSLog(@"%d", countByTwo());    // 4
            NSLog(@"%d", countByTwo());    // 6
        }
        return 0;
    }
    

    This use of the static keyword does not affect the scope of local variables.
    Read more about the static keyword.

    0 讨论(0)
  • 2020-12-04 10:18

    From Apple's "The Objective-C Programming Language": "Declaring a variable static limits its scope to just the class -- and to just the part of the class that's implemented in the file. (Thus unlike instance variables, static variables cannot be inherited by, or directly manipulated by, subclasses)."

    0 讨论(0)
  • 2020-12-04 10:28

    The 'static' keyword in that context is the same as it would be in plain C: it limits the scope of myInt to the current file.

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