foo.h
#ifndef FOO_DOT_H /* This is an "include guard" */ #define FOO_DOT_H /* prevents the file from being included twice. */ /* Including a header file twice causes all kinds */ /* of interesting problems.*/ /** * This is a function declaration. * It tells the compiler that the function exists somewhere. */ void foo(int id, char *name); #endif /* FOO_DOT_H */
foo.c
#include "foo.h" /* Always include the header file that declares something
* in the C file that defines it. This makes sure that the
* declaration and definition are always in-sync. Put this
* header first infoo.cto ensure the header is self-contained.
*/
#include <stdio.h>
/**
* This is the function definition.
* It is the actual body of the function which was declared elsewhere.
*/
void foo(int id, char *name)
{
fprintf(stderr, "foo(%d, \"%s\");\n", id, name);
/* This will print how foo was called to stderr - standard error.
* e.g., foo(42, "Hi!") will print `foo(42, "Hi!")`
*/
}main.c
#include "foo.h"
int main(void)
{
foo(42, "bar");
return 0;
}编译链接
首先,我们编译都foo.c和main.c到目标文件。在这里我们使用gcc编译器,您的编译器可能具有不同的名称,并且需要其他选项。
$ gcc -Wall -c foo.c $ gcc -Wall -c main.c
现在,我们将它们链接在一起以生成最终的可执行文件:
$ gcc -o testprogramfoo.omain.o