链接到使用 MSVC 编译的静态库

Linking to a static lib compiled with MSVC

我正在尝试 link 在 windows 上使用一个简单的 C 库来对抗 Rust 库

我的库是.h

extern "C" {
    void say_hello(const char* s);
}

.cpp

#include <stdio.h>

void say_hello(const char* s) {
    printf("hello world");
}

我的 Rust 文件

#[link(name="CDbax", kind="static")]
extern "C" {
    fn say_hello(s: *const libc::c_char) -> () ;
}

链接失败,其中一个数据符号出错

error: linking with `gcc` failed: exit code: 1
note: "gcc" "-Wl,--enable-long-section-names" "-fno-use-linker-plugin" "-Wl,--nxcompat" "-Wl,--large-address-aware" "-shared-libgcc" "-L" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib" "e:\Rust\DBTools\DBAnalytics\target\debug\DBAnalytics.o" "-o" "e:\Rust\DBTools\DBAnalytics\target\debug\DBAnalytics.dll" "e:\Rust\DBTools\DBAnalytics\target\debug\DBAnalytics.metadata.o" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib\libstd-11582ce5.rlib" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib\libcollections-11582ce5.rlib" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib\librustc_unicode-11582ce5.rlib" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib\librand-11582ce5.rlib" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib\liballoc-11582ce5.rlib" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib\liblibc-11582ce5.rlib" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib\libcore-11582ce5.rlib" "-L" "e:\Rust\DBTools\DBAnalytics\target\debug" "-L" "e:\Rust\DBTools\DBAnalytics\target\debug\deps" "-L" "C:\Program Files (x86)\Rust 1.2\bin\rustlib\i686-pc-windows-gnu\lib" "-L" "e:\Rust\DBTools\DBAnalytics\.rust\bin\i686-pc-windows-gnu" "-L" "e:\Rust\DBTools\DBAnalytics\bin\i686-pc-windows-gnu" "-Wl,-Bstatic" "-Wl,--whole-archive" "-l" "CDbax" "-Wl,--no-whole-archive" "-Wl,-Bdynamic" "-l" "ws2_32" "-l" "userenv" "-l" "advapi32" "-shared" "-l" "compiler-rt"
note: Warning: corrupt .drectve at end of def file
Cannot export ??_C@_0M@LACCCNMM@hello?5world?$AA@: symbol not found

该库作为一个简单的静态库构建于 MSVC2013 之上。字符串 "hello world" 在数据部分,所以我不认为它会导致 link 错误。 link在 windows 上使用 C 库时,是否需要注意一些特定设置?

顺便说一句,它是 32 位 MSVC 库。

好的,有几件事。首先,没有 "static DLL" 这样的东西:DLL 是 动态 链接库。

其次,Rust 使用 MinGW 工具链和 运行时间。混合 MSVC 和 MinGW 运行 次会导致奇怪的事情发生,因此最好尽可能避免。 Rust 最近才非常早 支持使用 MSVC 运行time 进行构建。

但是,您可以使这个特定示例起作用,显然没有任何不良影响。您只需要更改一些内容:

  • 您需要使用动态库;我的理解是,这会降低不良互动的可能性。

  • 您需要 实际上 使用 C 链接编译 say_hello,而不是 C++ 链接。您在 header 中执行了此操作,但未在源文件中执行此操作。

  • 您需要从库中公开导出 say_hello

因此:

hello.rs:

#[link(name="hello", kind="dylib")]
extern {
    fn say_hello();
}

fn main() {
    unsafe { say_hello(); }
}

hello.h:

#ifndef HELLO_H
#define HELLO_H

extern "C" {
    __declspec(dllexport) void say_hello();
}

#endif

hello.cpp:

#include <cstdio>

#include "hello.h"

void say_hello() {
    printf("hello world\n");
}

build.cmd

cl /LD hello.cpp
rustc -L. hello.rs

在我的机器上,这会产生 hello.exehello.dll;当 运行、hello.exe 打印出 hello world.