- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我很难理解以下代码为何具有2种不同的行为:
pub fn get(&self, idx: usize) -> &T {
let arr = unsafe { core::slice::from_raw_parts(self.elements, self.count) };
&arr[idx]
}
unsafe { ptr::drop_in_place(self.get(i) as *const T as *mut T) };
&mut
不会:
unsafe { ptr::drop_in_place(&mut self.get(i)) };
T
不支持克隆/复制,但事实并非如此。有什么解释?
use core::*;
pub struct Vec<T> {
elements: *mut T,
count: usize,
capacity: usize,
}
pub fn alloc_array<T>(count: usize) -> *mut T {
let size = mem::size_of::<T>() * count;
let addr = unsafe { libc::memalign(mem::size_of::<usize>(), size) as *mut T };
unsafe { libc::memset(addr as *mut libc::c_void, 0, size) };
addr
}
pub fn free_array<T>(arr: *mut T) {
unsafe { libc::free(arr as *mut libc::c_void) };
}
impl<T> Vec<T> {
pub fn new() -> Self {
Self {
elements: ptr::null_mut(),
count: 0,
capacity: 0,
}
}
pub fn len(&self) -> usize {
self.count
}
pub fn pushBack(&mut self, t: T) {
if self.count >= self.capacity {
let newSize = if self.capacity == 0 {
16
} else {
self.capacity * 2
};
let old = self.elements;
self.elements = alloc_array(newSize);
self.capacity = newSize;
let oldArr = unsafe { core::slice::from_raw_parts_mut(old, self.count) };
let newArr = unsafe { core::slice::from_raw_parts_mut(self.elements, self.count + 1) };
for i in 0..self.count {
let v = unsafe { ptr::read(&oldArr[i] as *const _) };
newArr[i] = v;
}
}
let arr = unsafe { core::slice::from_raw_parts_mut(self.elements, self.count + 1) };
arr[self.count] = t;
self.count += 1
}
pub fn pop(&mut self) -> Option<T> {
if self.count == 0 {
None
} else {
self.count -= 1;
Some(unsafe { ptr::read(self.get(self.count) as *const _) })
}
}
#[inline]
pub fn get(&self, idx: usize) -> &T {
let arr = unsafe { core::slice::from_raw_parts(self.elements, self.count) };
&arr[idx]
}
}
impl<T> Drop for Vec<T> {
fn drop(&mut self) {
println!("Dropped");
for i in 0..self.count {
//unsafe { ptr::drop_in_place(self.get(i) as *const T as *mut T) }; // Works
unsafe { ptr::drop_in_place(&mut self.get(i)) }; // Doesn't Works
}
if self.capacity != 0 {
free_array(self.elements);
}
}
}
fn main() {
let mut v = Vec::<Vec<i32>>::new();
for i in 0..10 {
let mut vj = Vec::<i32>::new();
for j in 0..10 {
vj.pushBack(j);
}
v.pushBack(vj);
}
}
Dropped
Dropped
Dropped
Dropped
Dropped
Dropped
Dropped
Dropped
Dropped
Dropped
Dropped
==6887==
==6887== HEAP SUMMARY:
==6887== in use at exit: 640 bytes in 10 blocks
==6887== total heap usage: 30 allocs, 20 frees, 4,433 bytes allocated
==6887==
==6887== Searching for pointers to 10 not-freed blocks
==6887== Checked 107,320 bytes
==6887==
==6887== 640 bytes in 10 blocks are definitely lost in loss record 1 of 1
==6887== at 0x4C320A6: memalign (in /usr/lib/valgrind/vgpreload_memcheck-amd64-linux.so)
==6887== by 0x10CB3F: minimal_test::alloc_array (main.rs:11)
==6887== by 0x10CDDC: minimal_test::Vec<T>::pushBack (main.rs:35)
==6887== by 0x10E1BB: minimal_test::main (main.rs:85)
==6887== by 0x10C2DF: std::rt::lang_start::{{closure}} (rt.rs:67)
==6887== by 0x1165B2: {{closure}} (rt.rs:52)
==6887== by 0x1165B2: std::panicking::try::do_call (panicking.rs:305)
==6887== by 0x117D16: __rust_maybe_catch_panic (lib.rs:86)
==6887== by 0x116F3F: try<i32,closure-0> (panicking.rs:281)
==6887== by 0x116F3F: catch_unwind<closure-0,i32> (panic.rs:394)
==6887== by 0x116F3F: std::rt::lang_start_internal (rt.rs:51)
==6887== by 0x10C2B8: std::rt::lang_start (rt.rs:67)
==6887== by 0x10E259: main (in minimal-test/target/debug/minimal-test)
==6887==
==6887== LEAK SUMMARY:
==6887== definitely lost: 640 bytes in 10 blocks
==6887== indirectly lost: 0 bytes in 0 blocks
==6887== possibly lost: 0 bytes in 0 blocks
==6887== still reachable: 0 bytes in 0 blocks
==6887== suppressed: 0 bytes in 0 blocks
==6887==
==6887== ERROR SUMMARY: 1 errors from 1 contexts (suppressed: 0 from 0)
==6887== ERROR SUMMARY: 1 errors from 1 contexts (suppressed: 0 from 0)
最佳答案
密切注意类型。
pub fn get(&self, idx: usize) -> &T {
self.get(i)
的类型为
&T
。因此
&mut self.get(i)
的类型为
&mut &T
。调用
drop_in_place
将把
&mut &T
强制转换为
*mut &T
并删除一个
&T
,该操作(由于共享引用未实现
Drop
)没有任何作用。
self.get(i) as *const _ as *mut _
将
&T
转换为
*const T
,然后转换为
*mut T
。
调用drop_in_place
会在调用<T as Drop>::drop
时调用未定义的行为,后者接受&mut T
。 ,这很糟糕。
Vec<T>
的部分;我建议阅读。
关于rust - `&mut retval`和 `retval as *const T as *mut T`有什么区别?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/60943462/
标记为家庭作业,因为这是我写的期中问题,但我不明白答案。我被要求在以下语句中解释每个 const 的用途: const char const * const GetName() const { ret
const int* const fun(const int* const& p) const; 我试图弄清楚这个给定函数原型(prototype)的输入参数。我在这两个之间争论,不确定哪个是正确的。
下面的代码用于在同时存在 const 和非 const getter 时减少代码重复。它从非 const 创建 const 版本。我搜索了一下,很多人说我应该从 const 创建非 const 版本。
据我所知,TypeScript 查看了 const string变量作为一个不可变的类型变量,只有那个值,没有其他可能的值。一直以为加as const那是多余的。 为什么我在示例的第二部分得到以下内容
我有一个具有以下签名的方法: size_t advanceToNextRuleEntryRelatedIndex( size_t index, size_t nStrings, char const
首先,有什么区别: (1) const char* (2) char const* (3) const char const* 我相当确定我完全理解这一点,但我希望有人能具体地给我一个句子,这样它就会
这里是新手! 我正在阅读一段代码,我看到作者经常写一个成员函数作为 const int func (const scalar& a) const // etc 你看这里有三个const,现在我明白了中
我总是搞乱如何正确使用 const int*、const int * const 和 int const *。是否有一套规则来定义你可以做什么和不能做什么? 我想知道在赋值、传递给函数等方面所有该做和
我见过人们将 const 用作函数参数的代码。使用 const* 与 const * const 有什么好处?这可能是一个非常基本的问题,但如果有人能解释一下,我将不胜感激。 Bool IsThisN
我总是搞乱如何正确使用 const int*、const int * const 和 int const *。是否有一套规则来定义你可以做什么和不能做什么? 我想知道在赋值、传递给函数等方面所有该做和
这个问题在这里已经有了答案: What is the difference between const int*, const int * const, and int const *? (23 个
如果引用的对象不是 const 对象,那么引用“const”关键字的目的是什么? r1 和 r2 的作用(如下)有什么不同吗? int i = 42; // non const object cons
friend 让我解释原因 const const const const const int const i = 0; 是有效的语法。我拒绝对这个话题有任何想法。虽然我很好奇它是否只是语法问题? 编
我总是搞砸如何正确使用 const int*、const int * const 和 int const *。是否有一套规则来定义你能做什么和不能做什么? 我想知道在分配、传递给函数等方面的所有注意事
常量在 const char* push(const char * const &&_data); 表示无法更改引用的内容。为什么我不能将 const char* 传递给 push? 最佳答案 您的代
我有一个关于在函数参数中涉及指针的最佳实践以及它们是否应该指定为 *const 的问题或 const *const .我知道对于 const 的使用或过度使用存在不同的意见。 ,但至少有一些用途是捕捉
我目前正在为我的类(class)写一个作业,它应该充当一个非常基本的外壳。我快完成了,但是我遇到了 execvp 和我的参数字符数组的问题。这是我的代码的一小段。 //Split the left c
所以,我知道了char const *、char * const 和char const * const 之间的区别。那些是: char* the_string : I can change the
我正在运行一些示例程序以重新熟悉 C++,我遇到了以下问题。首先,这里是示例代码: void print_string(const char * the_string) { cout << t
我正在为系统中的编译错误而苦苦挣扎,这是代码 struct Strless : public binary_function { public : bool operator()(cons
我是一名优秀的程序员,十分优秀!