c++cincludecross-languageextern-c

extern "C" - before or after library header includes?


I'm writing a C library, which may potentially be useful to people writing C++. It has a header which looks like this:

#ifndef FOO_H_
#define FOO_H_

#include <bar.h>

#include <stdarg.h>
#include <stddef.h>

#ifdef __cplusplus
extern "C" {
#endif

void foo_func();

#ifdef __cplusplus
}
#endif
#endif 

and I was wondering - should I move the extern "C" bit before including the header include directives? Especially seeing how, in practice, some of those headers might themselves have an extern "C"?


Solution

  • This is covered in the C++ FAQ.

    First, How to include a standard C header file in C++ code? Nothing special is needed, as standard C header files work seamlessly with C++. So you don't need to wrap stdarg.h and stddef.h in extern "C".

    Then, for non-standard C headers, there are two possibilities: either you can’t change the header, or you can change the header.

    When you can't change the C header, wrap the #include in extern "C".

    // This is C++ code
    extern "C" {
      // Get declaration for f(int i, char c, float x)
      #include "my-C-code.h"
    }
    int main()
    {
      f(7, 'x', 3.14);   // Note: nothing unusual in the call
      // ...
    }
    

    When you can change the header, edit it to conditionally include extern "C" in the header itself:

    #ifdef __cplusplus
    extern "C" {
    #endif
    
    . . .
    
    #ifdef __cplusplus
    }
    #endif
    

    In your case it comes down to whether you have control over the contents of bar.h. If it's your header, then you should modify it to include extern "C" and not wrap the #include itself.

    Headers should work the same way regardless of how/when/where they are included. Wrapping an #include in extern "C", #pragma pack, special #defines, etc, should be reserved for last resort workarounds, as this may interfere with how the header behaves in different scenarios, reducing the system's maintainability in the long run.

    As StoryTeller said in the comments:

    Some headers are explicitly written under the assumption that the outermost "scope" has C++ language linkage. They may use __cplusplus to remove template declarations, and if you wrap them up like you wish to, your header will be fundamentally broken. So as mentioned already, make your declarations correct, and let other headers do their thing unimpeded. Even standard library headers may break (since an implementer may reason its going to be shared anyway, and then do some expert friendly things inside).

    Note that standard C headers may be implemented using C linkage, but may also be implemented using C++ linkage. In which case wrapping them in extern "C" might result in link errors.