为什么从 Rust 调用 SystemParametersInfo 来设置墙纸将其设置为黑色?
Why does calling SystemParametersInfo from Rust to set the wallpaper set it to black?
我正在尝试使用 winapi crate 和 SystemParametersInfo
在 Rust 中设置 Windows 背景,但它会将背景设置为黑色。在 C++ 中,这通常意味着 pvParam
未正确传递或类型错误。
怎么了?
#[cfg(windows)]
extern crate winapi;
use winapi::ctypes::c_void;
use winapi::um::winuser::{SystemParametersInfoA, SPIF_UPDATEINIFILE, SPI_SETDESKWALLPAPER};
fn main() {
let mut image_path = "Path to Image";
let image_path_c_ptr: *mut c_void = &mut image_path as *mut _ as *mut c_void;
unsafe {
SystemParametersInfoA(
SPI_SETDESKWALLPAPER,
0,
image_path_c_ptr,
SPIF_UPDATEINIFILE,
);
}
}
Rust 字符串不是 C 字符串。您应该改为使用 CString
与 C 代码交互:
use std::ffi::CString;
// use ...
fn main() {
let mut image_path = CString::new("Path to Image").unwrap();
unsafe {
SystemParametersInfoA(
SPI_SETDESKWALLPAPER,
0,
image_path.as_ptr() as *mut c_void,
SPIF_UPDATEINIFILE,
);
}
}
详细说明:image_path
是一个 &str
(胖指针)。通过对其进行可变引用,您将获得 &mut &str
。然后将它传递给 C,C 将取消引用指针并获得 &str
.
但是 C 代码不知道如何处理 Rust 类型:它只知道 C 字符串,而是需要一个指向第一个字节的指针。它还期望字符串以 NUL
终止,而 Rust 字符串不是。因此在这种情况下将 Rust &str
传递给 C 代码是没有意义的,这正是 CStr
和 CString
存在的原因。
这是我的最终工作代码:
#[cfg(windows)]
extern crate winapi;
use std::ffi::CString;
use winapi::ctypes::c_void;
use winapi::um::winuser::{SystemParametersInfoA, SPIF_UPDATEINIFILE, SPI_SETDESKWALLPAPER};
fn main() {
let mut image_path = CString::new("Path to Image").unwrap();
unsafe {
SystemParametersInfoA(
SPI_SETDESKWALLPAPER,
0,
image_path.as_ptr() as *mut c_void,
SPIF_UPDATEINIFILE,
);
}
}
我正在尝试使用 winapi crate 和 SystemParametersInfo
在 Rust 中设置 Windows 背景,但它会将背景设置为黑色。在 C++ 中,这通常意味着 pvParam
未正确传递或类型错误。
怎么了?
#[cfg(windows)]
extern crate winapi;
use winapi::ctypes::c_void;
use winapi::um::winuser::{SystemParametersInfoA, SPIF_UPDATEINIFILE, SPI_SETDESKWALLPAPER};
fn main() {
let mut image_path = "Path to Image";
let image_path_c_ptr: *mut c_void = &mut image_path as *mut _ as *mut c_void;
unsafe {
SystemParametersInfoA(
SPI_SETDESKWALLPAPER,
0,
image_path_c_ptr,
SPIF_UPDATEINIFILE,
);
}
}
Rust 字符串不是 C 字符串。您应该改为使用 CString
与 C 代码交互:
use std::ffi::CString;
// use ...
fn main() {
let mut image_path = CString::new("Path to Image").unwrap();
unsafe {
SystemParametersInfoA(
SPI_SETDESKWALLPAPER,
0,
image_path.as_ptr() as *mut c_void,
SPIF_UPDATEINIFILE,
);
}
}
详细说明:image_path
是一个 &str
(胖指针)。通过对其进行可变引用,您将获得 &mut &str
。然后将它传递给 C,C 将取消引用指针并获得 &str
.
但是 C 代码不知道如何处理 Rust 类型:它只知道 C 字符串,而是需要一个指向第一个字节的指针。它还期望字符串以 NUL
终止,而 Rust 字符串不是。因此在这种情况下将 Rust &str
传递给 C 代码是没有意义的,这正是 CStr
和 CString
存在的原因。
这是我的最终工作代码:
#[cfg(windows)]
extern crate winapi;
use std::ffi::CString;
use winapi::ctypes::c_void;
use winapi::um::winuser::{SystemParametersInfoA, SPIF_UPDATEINIFILE, SPI_SETDESKWALLPAPER};
fn main() {
let mut image_path = CString::new("Path to Image").unwrap();
unsafe {
SystemParametersInfoA(
SPI_SETDESKWALLPAPER,
0,
image_path.as_ptr() as *mut c_void,
SPIF_UPDATEINIFILE,
);
}
}