43

/ という名前の独自の/ライブラリでnew/delete演算子をオーバーロードするテスト ファイル (リンク テスト用のみ) があります。しかし、スタティック ライブラリをリンクすると、 と の順序を変更しても、次のように「未定義の参照」エラーが発生し続けます。しかし、このライブラリをリンクしている他の C プログラムでは、すべてがうまく機能します。私はこの問題にとても混乱しており、手がかりをいただければ幸いです。mallocfreelibxmalloc.atest.o-lxmalloc

エラー メッセージ:

g++ -m64 -O3 -I/usr/include/ethos -I/usr/include/nacl/x86_64 -c -o test.o test.cpp
g++ -m64 -O3 -L. -o demo test.o -lxmalloc
test.o: In function `operator new(unsigned long)':
test.cpp:(.text+0x1): undefined reference to `malloc(unsigned long)'
test.o: In function `operator delete(void*)':
test.cpp:(.text+0x11): undefined reference to `free(void*)'
test.o: In function `operator new[](unsigned long)':
test.cpp:(.text+0x21): undefined reference to `malloc(unsigned long)'
test.o: In function `operator delete[](void*)':
test.cpp:(.text+0x31): undefined reference to `free(void*)'
test.o: In function `main':
test.cpp:(.text.startup+0xc): undefined reference to `malloc(unsigned long)'
test.cpp:(.text.startup+0x19): undefined reference to `malloc(unsigned long)'
test.cpp:(.text.startup+0x24): undefined reference to `free(void*)'
test.cpp:(.text.startup+0x31): undefined reference to `free(void*)'
collect2: ld returned 1 exit status
make: *** [demo] Error 1

私のtest.cppファイル:

#include <dual/xalloc.h>
#include <dual/xmalloc.h>
void*
operator new (size_t sz)
{
    return malloc(sz);
}
void
operator delete (void *ptr)
{
    free(ptr);
}
void*
operator new[] (size_t sz)
{
    return malloc(sz);
}
void
operator delete[] (void *ptr)
{
    free(ptr);
}
int
main(void)
{
    int *iP = new int;
    int *aP = new int[3];
    delete iP;
    delete[] aP;
    return 0;
}

私のMakefile

CFLAGS += -m64 -O3 -I/usr/include/ethos -I/usr/include/nacl/x86_64
CXXFLAGS += -m64 -O3
LIBDIR += -L.
LIBS += -lxmalloc
all: demo
demo: test.o
    $(CXX) $(CXXFLAGS) $(LIBDIR) -o demo test.o $(LIBS)
test.o: test.cpp
$(CXX) $(CFLAGS) -c -o $@ $<
clean:
- rm -f *.o demo
4

1 に答える 1

79

しかし、このライブラリをリンクしている他の C プログラムでは、すべてがうまく機能します。

C と C++ のコンパイルでは、オブジェクト ファイル レベルで異なるシンボル名が作成されることに気付きましたか? それは「ネームマングリング」と呼ばれます。
(C++) リンカは、未定義の参照をデマングルされたシンボルとしてエラー メッセージに表示し、混乱を招く可能性があります。test.oでファイルを調べるnm -uと、参照されているシンボル名がライブラリで提供されているものと一致しないことがわかります。

extern "C" {}プレーン C コンパイラを使用してコンパイルされた外部としてリンクされた関数を使用する場合は、内部で宣言または定義されたすべての C++ 名マングリングを抑制するブロックで関数宣言を囲む必要があります。

extern "C" 
{
    #include <dual/xalloc.h>
    #include <dual/xmalloc.h>
}

さらに良いことに、関数宣言を次のようにヘッダー ファイルにラップすることもできます。

#if defined (__cplusplus)
extern "C" {
#endif

/*
 * Put plain C function declarations here ...
 */ 

#if defined (__cplusplus)
}
#endif
于 2013-09-18T17:54:18.867 に答える