如何在linux中编译静态库?

时间:2010-04-29 04:06:19

标签: gcc static-libraries

我有一个问题:如何使用gcc在linux中编译静态库,即我需要将我的源代码编译成名为out.a的文件。用命令gcc -o out.a out.c简单编译就足够了吗?我对gcc不太熟悉,希望有人能帮帮我。

3 个答案:

答案 0 :(得分:186)

请参阅Creating a shared and static library with the gnu compiler [gcc]

gcc -c -o out.o out.c

-c表示创建中间对象文件,而不是可执行文件。

ar rcs libout.a out.o

这会创建静态库。 r表示插入替换,c表示创建新存档,s表示编写索引。与往常一样,请参阅man page以获取更多信息。

答案 1 :(得分:75)

这是一个完整的makefile示例:

<强>生成文件

TARGET = prog

$(TARGET): main.o lib.a
    gcc $^ -o $@

main.o: main.c
    gcc -c $< -o $@

lib.a: lib1.o lib2.o
    ar rcs $@ $^

lib1.o: lib1.c lib1.h
    gcc -c -o $@ $<

lib2.o: lib2.c lib2.h
    gcc -c -o $@ $<

clean:
    rm -f *.o *.a $(TARGET)

解释makefile:

  • target: prerequisites - 规则头
  • $@ - 表示目标
  • $^ - 表示所有先决条件
  • $< - 仅表示第一个先决条件
  • ar - 用于创建,修改和提取档案see the man pages for further information的Linux工具。这种情况下的选项意味着:
    • r - 替换存档中存在的文件
    • c - 创建存档(如果尚未存在)
    • s - 在档案中创建一个对象文件索引

结束:Linux下的静态库只不过是对象文件的存档。

main.c 使用lib

#include <stdio.h>

#include "lib.h"

int main ( void )
{
    fun1(10);
    fun2(10);
    return 0;
}

lib.h libs主标题

#ifndef LIB_H_INCLUDED
#define LIB_H_INCLUDED

#include "lib1.h"
#include "lib2.h"

#endif

lib1.c 第一个lib源

#include "lib1.h"

#include <stdio.h>

void fun1 ( int x )
{
    printf("%i\n",x);
}

lib1.h 相应的标题

#ifndef LIB1_H_INCLUDED
#define LIB1_H_INCLUDED

#ifdef __cplusplus
   extern “C” {
#endif

void fun1 ( int x );

#ifdef __cplusplus
   }
#endif

#endif /* LIB1_H_INCLUDED */

lib2.c 第二个lib源

#include "lib2.h"

#include <stdio.h>

void fun2 ( int x )
{
    printf("%i\n",2*x);
}

lib2.h 相应的标题

#ifndef LIB2_H_INCLUDED
#define LIB2_H_INCLUDED

#ifdef __cplusplus
   extern “C” {
#endif

void fun2 ( int x );

#ifdef __cplusplus
   }
#endif

#endif /* LIB2_H_INCLUDED */

答案 2 :(得分:9)

使用gcc生成目标文件,然后使用ar将它们捆绑到静态库中。