dhardy
dhardy

Reputation: 12154

How can I index C arrays in Rust?

I have a C function returning a pointer:

type MYSQL_RES_REF = *mut c_void;
type MYSQL_ROW = *const *const c_char;

#[no_mangle]
extern "C" {
    fn mysql_fetch_row(res: MYSQL_RES_REF) -> MYSQL_ROW;
}

let pointer = mysql_fetch_row(self.res);
let row_p = match pointer {
    p if p == (0 as *const *const c_char) => panic!(),
    p => p,
};

let field: &[u8] = unsafe { ffi::c_str_to_bytes(row_p[i]) };

but attempting to index it (the last line) results in an error:

error: cannot index a value of type `*const *const i8`

I wonder if std::c_vec was what I wanted, but apparently that has been removed.

Upvotes: 8

Views: 5101

Answers (2)

Shepmaster
Shepmaster

Reputation: 430634

If you have the length of your C array, you can convert the pointer and the length into a Rust slice and then use all the existing support for slices:

use libc::size_t; // 0.2.51
use std::slice;

/// Our opaque C type
#[repr(C)]
struct MyCType {
    private: [u8; 0],
}

extern "C" {
    fn get_ptr_and_len(len: *mut size_t) -> *const MyCType;
    fn do_something_with_type(v: *const MyCType);
}

fn ptr_and_len() {
    unsafe {
        let mut len = 0;
        let ptr = get_ptr_and_len(&mut len);

        let slice = slice::from_raw_parts(ptr, len);

        // Indexing
        do_something_with_type(&slice[42]);

        // Iteration
        for v in slice {
            do_something_with_type(v);
        }
    }
}

See also:

Upvotes: 3

Matthieu M.
Matthieu M.

Reputation: 299790

There is an offset method on pointers which can be used as:

let new_p = p.offset(i);

to get a pointer i elements away from the current one. It is not bounds-checked, obviously, so you must ensure it stays within the bounds (or one-past-the-end).


There is also an unstable offset intrinsic.

Upvotes: 15

Related Questions