web-dev-qa-db-ja.com

2つのGCCコンパイル済み.oオブジェクトファイルを3番目の.oファイルに結合する

2つのGCCコンパイル済み.oオブジェクトファイルを3番目の.oファイルにどのように結合しますか?

$ gcc -c  a.c -o a.o
$ gcc -c  b.c -o b.o
$ ??? a.o b.o -o c.o
$ gcc c.o other.o -o executable

ソースファイルにアクセスできる場合は、-combine GCCフラグは、コンパイル前にソースファイルをマージします。

$ gcc -c -combine a.c b.c -o c.o

ただし、これはソースファイルに対してのみ機能し、GCCは.oファイルをこのコマンドの入力として使用します。

通常、リンク.oファイルは、リンカーの出力をその入力として使用できないため、正しく機能しません。結果は共有ライブラリであり、結果の実行可能ファイルに静的にリンクされません。

$ gcc -shared a.o b.o -o c.o
$ gcc c.o other.o -o executable
$ ./executable
./executable: error while loading shared libraries: c.o: cannot open shared object file: No such file or directory
$ file c.o
c.o: ELF 32-bit LSB shared object, Intel 80386, version 1 (SYSV), dynamically linked, not stripped
$ file a.o
a.o: ELF 32-bit LSB relocatable, Intel 80386, version 1 (SYSV), not stripped

-relocatableまたは-rldに渡すと、ldの入力として適切なオブジェクトが作成されます。

$ ld -relocatable a.o b.o -o c.o
$ gcc c.o other.o -o executable
$ ./executable

生成されたファイルは、元の.oファイルと同じタイプです。

$ file a.o
a.o: ELF 32-bit LSB relocatable, Intel 80386, version 1 (SYSV), not stripped
$ file c.o
c.o: ELF 32-bit LSB relocatable, Intel 80386, version 1 (SYSV), not stripped

2つ以上の.oファイル(つまり、静的ライブラリ)のアーカイブを作成する場合は、arコマンドを使用します。

ar rvs mylib.a file1.o file2.o
8
anon