Does a static function need the static keyword for the prototype in C?

CStatic Functions

C Problem Overview


My C programming book says that when I want to create a static function, I need to put the static keyword in front of the function definition. It doesn't mention anything explicitly about the prototype. Also, the examples don't use prototypes and simply put the static functions at the top of the file (so that they don't need prototypes I am assuming).

So, does a static function need the static keyword for the prototype? Or do I only put it in front of the definition?

C Solutions


Solution 1 - C

No. A function declaration (prototype or even the definition) can omit the keyword static if it comes after another declaration of the same function with static.

If there is one static declaration of a function, its first declaration has to be static.

It is defined in ISO/IEC 9899:1999, 6.7.1:

> If the declaration of a file scope identifier for [...] a function contains the storage-class specifier static, the identifier has internal linkage. > > [...] > > For an identifier declared with the storage-class specifier extern in a scope in which a prior declaration of that identifier is visible, if the prior declaration specifies internal or external linkage, the linkage of the identifier at the later declaration is the same as the linkage specified at the prior declaration. > > [...] > > If the declaration of an identifier for a function has no storage-class specifier, its linkage is determined exactly as if it were declared with the storage-class specifier extern. > > [...] > > If, within a translation unit, the same identifier appears with both internal and external linkage, the behavior is undefined.

So, e.g. this is valid:

static void foo(void);
void foo(void);
static void foo(void) { }

This one too:

static void foo(void) { }
void foo(void);

static void bar(void);
void bar(void) {}

But this code is incorrect:

void foo(void);
static void foo(void) { }

Normally you will and should have the static in the prototypes too (because they usually come first).

Solution 2 - C

yes, yes you do need to put static in front of the declaration.

type this into ideone.com

int add();
int main(){
    printf("%d",add());
    return 0;
}
 
static int add(){
    return 1+1;
}

you get this result: http://ideone.com/VzZCiE

now type this

static int add();
int main(){
    printf("%d",add());
    return 0;
}
 
static int add(){
    return 1+1;
}

you get this: http://ideone.com/sz8HVR

boooom

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionuser2211907View Question on Stackoverflow
Solution 1 - Cundur_gongorView Answer on Stackoverflow
Solution 2 - C75inchpianistView Answer on Stackoverflow