- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
在尝试创建一些 FFI 帮助程序代码时,我对 Box 这种看似简单的用法感到头疼。
当与具有字段的结构一起使用时,此处的示例似乎给出了 free(): invalidpointer
错误。
pub struct Handle(usize);
impl Handle {
pub fn from<T>(obj: T) -> Self {
let boxed = Box::new(obj);
let mut ptr = Box::into_raw(boxed);
Self::from_ptr_mut(&mut ptr)
}
pub fn from_ptr_mut<T>(ptr: &mut T) -> Self {
Self(ptr as *mut T as usize)
}
pub fn to_box<T>(self) -> Box<T> {
let obj: *mut T = self.to_ptr_mut();
unsafe { Box::from_raw(obj) }
}
pub fn to_ptr_mut<T>(self) -> *mut T {
self.0 as *mut T
}
}
#[allow(dead_code)]
struct Crashes { value: u64 }
impl Drop for Crashes {
fn drop(&mut self) {
println!("Crashes dropped");
}
}
fn crashes() {
let t = Crashes { value: 12 };
let a = Handle::from(t);
let b = a.to_box::<Crashes>();
drop(b);
}
struct Works;
impl Drop for Works {
fn drop(&mut self) {
println!("Works dropped");
}
}
fn works() {
let t = Works;
let a = Handle::from(t);
let b = a.to_box::<Works>();
drop(b);
}
fn main() {
works();
crashes();
}
您可以将其粘贴到 https://play.rust-lang.org/ 中,看看它如何抛出错误 free(): invalidpointer
drop 函数似乎在适当的时间被调用,但指针似乎不知何故无效
最佳答案
您最终在这里创建了一个双指针:
impl Handle {
pub fn from<T>(obj: T) -> Self {
let boxed = Box::new(obj);
let mut ptr = Box::into_raw(boxed);
Self::from_ptr_mut(&mut ptr)
}
pub fn from_ptr_mut<T>(ptr: &mut T) -> Self {
Self(ptr as *mut T as usize)
}
...
}
Box::into_raw
返回一个指针,但随后您获取对该指针的可变引用,并将该地址存储为 usize
。您应该只使用 *mut T
由 Box::into_raw
返回.
使用双指针编译非工作代码的原因是您的 from<T>
和你的from_ptr_mut<T>
可以采取完全不同的T
参数。如果我们考虑类型 T
传递至from<T>
成为具体类型,那么在本例中您将调用 from_ptr_mut<U>
(其中 U
是 *mut T
),参数类型为 &mut *mut T
.
它应该看起来像这样:
impl Handle {
pub fn from<T>(obj: T) -> Self {
let boxed = Box::new(obj);
let ptr = Box::into_raw(boxed);
Self::from_ptr_mut(ptr)
}
pub fn from_ptr_mut<T>(ptr: *mut T) -> Self {
Self(ptr as usize)
}
...
}
Working example in the playground.
<小时/>即使我们处于unsafe
的领域您可以通过设置参数 T
让编译器为您完成一些工作绑定(bind)到您的Handle
结构。这样您就可以静态地防止加载与存储的类型不同的类型。
Playground example where Handle includes a PhantomData.
在第二个示例中,您不必告诉编译器您要检索哪个项目 a.to_box::<Crashes>()
,这很好,因为您不能通过指定错误的类型来引入未定义的行为。
关于memory - Rust 无效指针与 Box::from_raw() Box::into_raw() 往返,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/59146268/
如您所知,Box::into_raw() 和 Box::leak() 都会消耗当前 Box 并失去内存所有权。 两者看起来只是返回值的类型不同,那么它们还有什么区别呢? 典型应用场景如何? 最佳答案
这个简单的程序: fn main() { let b: Box = Box::new(1); b.into_raw(); } 在使用 Rust 1.12.0 编译时产生这个不方便的错误
在尝试创建一些 FFI 帮助程序代码时,我对 Box 这种看似简单的用法感到头疼。 当与具有字段的结构一起使用时,此处的示例似乎给出了 free(): invalidpointer 错误。 pub s
pub struct Themepark { attraction: Box } 注意:Attraction是一种特质! impl Themepark { pub fn open(&m
我是一名优秀的程序员,十分优秀!