]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_error_codes/src/error_codes/E0617.md
Rollup merge of #93556 - dtolnay:trailingcomma, r=cjgillot
[rust.git] / compiler / rustc_error_codes / src / error_codes / E0617.md
1 Attempted to pass an invalid type of variable into a variadic function.
2
3 Erroneous code example:
4
5 ```compile_fail,E0617
6 # use std::os::raw::{c_char, c_int};
7 extern "C" {
8     fn printf(format: *const c_char, ...) -> c_int;
9 }
10
11 unsafe {
12     printf("%f\n\0".as_ptr() as _, 0f32);
13     // error: cannot pass an `f32` to variadic function, cast to `c_double`
14 }
15 ```
16
17 Certain Rust types must be cast before passing them to a variadic function,
18 because of arcane ABI rules dictated by the C standard. To fix the error,
19 cast the value to the type specified by the error message (which you may need
20 to import from `std::os::raw`).
21
22 In this case, `c_double` has the same size as `f64` so we can use it directly:
23
24 ```no_run
25 # use std::os::raw::{c_char, c_int};
26 # extern "C" {
27 #     fn printf(format: *const c_char, ...) -> c_int;
28 # }
29
30 unsafe {
31     printf("%f\n\0".as_ptr() as _, 0f64); // ok!
32 }
33 ```