2017-09-25 84 views
2

我想創建並返回一個C++結構。當我嘗試編譯時,我目前收到cannot move out of dereference of raw pointer錯誤。任何想法我如何能做到這一點?如何從Rust FFI創建並返回C++結構?

#![allow(non_snake_case)] 
#![allow(unused_variables)] 

extern crate octh; 

// https://thefullsnack.com/en/string-ffi-rust.html 
use std::ffi::CString; 

#[no_mangle] 
pub unsafe extern "C" fn Ghelloworld(
    shl: *const octh::root::octave::dynamic_library, 
    relative: bool, 
) -> *mut octh::root::octave_dld_function { 
    let name = CString::new("helloworld").unwrap(); 
    let pname = name.as_ptr() as *const octh::root::std::string; 
    std::mem::forget(pname); 

    let doc = CString::new("Hello World Help String").unwrap(); 
    let pdoc = doc.as_ptr() as *const octh::root::std::string; 
    std::mem::forget(pdoc); 

    return octh::root::octave_dld_function_create(Some(Fhelloworld), shl, pname, pdoc); 
} 

pub unsafe extern "C" fn Fhelloworld(
    args: *const octh::root::octave_value_list, 
    nargout: ::std::os::raw::c_int, 
) -> octh::root::octave_value_list { 
    let list: *mut octh::root::octave_value_list = ::std::ptr::null_mut(); 
    octh::root::octave_value_list_new(list); 
    std::mem::forget(list); 
    return *list; 
} 

回答

6

我試圖創建並返回一個C++結構

你不能; C++(如Rust)沒有穩定的ABI。 Rust沒有辦法指定一個結構有repr(C++),因此你不能創建這樣的結構,更不用說返回它。

唯一穩定的ABI是C.你提出的一個可以定義結構爲repr(C)能夠直接返回他們:

extern crate libc; 

use std::ptr; 

#[repr(C)] 
pub struct ValueList { 
    id: libc::int32_t, 
} 

#[no_mangle] 
pub extern "C" fn hello_world() -> ValueList { 
    let list_ptr = ::std::ptr::null_mut(); 
    // untested, will cause segfault unless list_ptr is set 
    unsafe { ptr::read(list_ptr) } 
} 

這種方法是非常可疑的,雖然;通常你會看到它作爲

#[no_mangle] 
pub extern "C" fn hello_world() -> ValueList { 
    unsafe { 
     let mut list = mem::uninitialized(); 
     list_initialize(&mut list); 
     list 
    } 
} 

參見:


我建議你閱讀我的Rust FFI Omnibus

+1

注意:C++ *也*具有C FFI,因此任何與C對應的C++類/ struct都可以從Rust中使用,就像它從C. –

+0

Thanks @Shepmaster。現在編譯。它可能工作,但我的八度helloworld尚未,所以我不是100%肯定。 https://github.com/ctaggart/octh_examples/blob/master/src/lib.rs –

+0

@CameronTaggart不知道,但你應該防止在所有功能上的名稱混搭。 'Fhelloworld'中不是'#[no_mangle]'嗎? –