将C ++与Rust连接 - 返回CString恐慌

时间:2016-09-16 19:02:09

标签: c++ rust c-strings

我试图用C ++调用一些用Rust编写的函数。到目前为止,我已经取得了相当的成功,但在运行期间我仍然遇到一个与hello相关的恐慌的小问题。

函数fun.rs应该接受一个输入字符串,将其与其他字符串连接起来并返回产品。

这是我的use std::ffi::CString; #[no_mangle] pub extern "C" fn add(a: i32, b: i32) -> i32 { a + b } #[no_mangle] pub extern "C" fn hello(cs: CString) -> CString { let slice = cs.to_str().unwrap(); let mut s = "Hello, ".to_string(); s = s + slice; CString::new(&s[..]).unwrap() // runtime error // CString::new(cs).unwrap() // empty string if no borrow // cs // works if no borrow, but this is not what I meant }

main.cpp

此处#include <iostream> using namespace std; extern "C" { int add(int a, int b); const char* hello(const char*x); } int main() { int a, b; cin >> a >> b; cout << add(a,b) << ";" << hello("Pawel") << std::endl; return 0; }

makefile

rust: rustc --crate-type=staticlib -C panic=abort fun.rs cpp: g++ -c main.cpp link: g++ main.o -L . libfun.a -o main -lpthread -ldl -lgcc_s -lc -lm -lrt -lutil

$ make rust
$ make cpp
$ make link
$ ./main
1 2

运行可执行文件的命令:

1 2
thread '<unnamed>' panicked at 'index 18446744073709551615 out of range for slice of length 0', ../src/libcore/slice.rs:549
note: Run with `RUST_BACKTRACE=1` for a backtrace..

可执行输出:

stack backtrace:
   1:           0x435d4f - std::sys::backtrace::tracing::imp::write::h46e546df6e4e4fe6
   2:           0x44405b - std::panicking::default_hook::_$u7b$$u7b$closure$u7d$$u7d$::h077deeda8b799591
   3:           0x443c8f - std::panicking::default_hook::heb8b6fd640571a4f
   4:           0x4099fe - std::panicking::rust_panic_with_hook::hd7b83626099d3416
   5:           0x4442a1 - std::panicking::begin_panic::h941ea76fc945d925
   6:           0x40b74a - std::panicking::begin_panic_fmt::h30280d4dd3f149f5
   7:           0x44423e - rust_begin_unwind
   8:           0x451d8f - core::panicking::panic_fmt::h2d3cc8234dde51b4
   9:           0x452073 - core::slice::slice_index_len_fail::ha4faf37254d75f20
  10:           0x40e903 - std::ffi::c_str::CStr::to_str::ha9642252376bab15
  11:           0x4048e0 - hello
  12:           0x40476f - main
  13:     0x7f78ff688f44 - __libc_start_main
  14:           0x404678 - <unknown>
  15:                0x0 - <unknown>

回溯:

diffobj

为什么Rust很恐慌?

1 个答案:

答案 0 :(得分:5)

Rust CString与C&const char *不兼容。以下是标准库中CString的定义:

pub struct CString {
    inner: Box<[u8]>,
}

Box<[u8]>类型是胖指针,即包含指向切片项目的指针的元组,以及切片的长度为usize

你应该做的是让你的Rust函数采用*const c_char参数,然后用该指针作为参数调用CStr::from_ptr以获得CStr值。

至于返回值,有一点问题:你的函数分配一个新字符串,然后返回一个指向它的指针。同样,您应该返回*const c_char,您可以通过在连接的CString值上调用CString::into_raw来执行此操作。但是为了避免内存泄漏,您还必须提供一个Rust函数,该函数将收回hello返回的指针并在其上调用CString::from_raw,这将重新创建CString。然后CString的析构函数将运行,释放内存。