#[repr(transparent)]
pub struct Cell<T> where
T: ?Sized, { /* fields omitted */ }
Expand description
可变的内存位置。
在此示例中,您可以看到 Cell<T>
启用了不可变结构体内部的可变的。
换句话说,它实现了内部可变性。
use std::cell::Cell;
struct SomeStruct {
regular_field: u8,
special_field: Cell<u8>,
}
let my_struct = SomeStruct {
regular_field: 0,
special_field: Cell::new(1),
};
let new_value = 100;
my_struct.special_field.set(new_value);
assert_eq!(my_struct.special_field.get(), new_value);
Run
有关更多信息,请参见 module-level documentation。
1.0.0 (const: 1.24.0)[src]
创建一个包含给定值的新 Cell
。
use std::cell::Cell;
let c = Cell::new(5);
Run
设置包含的值。
use std::cell::Cell;
let c = Cell::new(5);
c.set(10);
Run
交换两个 Cell 的值。
与 std::mem::swap
的区别在于此函数不需要 &mut
引用。
use std::cell::Cell;
let c1 = Cell::new(5i32);
let c2 = Cell::new(10i32);
c1.swap(&c2);
assert_eq!(10, c1.get());
assert_eq!(5, c2.get());
Run
用 val
替换包含的值,并返回旧的包含值。
use std::cell::Cell;
let cell = Cell::new(5);
assert_eq!(cell.get(), 5);
assert_eq!(cell.replace(10), 5);
assert_eq!(cell.get(), 10);
Run
取消包装的值。
use std::cell::Cell;
let c = Cell::new(5);
let five = c.into_inner();
assert_eq!(five, 5);
Run
返回所包含值的副本。
use std::cell::Cell;
let c = Cell::new(5);
let five = c.get();
Run
🔬 This is a nightly-only experimental API. (
cell_update
#50186)
使用函数更新包含的值并返回新值。
#![feature(cell_update)]
use std::cell::Cell;
let c = Cell::new(5);
let new = c.update(|x| x + 1);
assert_eq!(new, 6);
assert_eq!(c.get(), 6);
Run
1.12.0 (const: 1.32.0)[src]
返回此 cell 中基础数据的裸指针。
use std::cell::Cell;
let c = Cell::new(5);
let ptr = c.as_ptr();
Run
返回对基础数据的可变引用。
这个调用借用 Cell
是可变的 (在编译时),这保证了我们拥有唯一的引用。
但是要小心: 此方法要求 self
为附属 0,而使用 Cell
时通常不是这种情况。
如果您需要通过引用进行内部养性,可以考虑使用 RefCell
,它通过其 borrow_mut
方法提供运行时检查的附属借用。
use std::cell::Cell;
let mut c = Cell::new(5);
*c.get_mut() += 1;
assert_eq!(c.get(), 6);
Run
从 &mut T
返回 &Cell<T>
use std::cell::Cell;
let slice: &mut [i32] = &mut [1, 2, 3];
let cell_slice: &Cell<[i32]> = Cell::from_mut(slice);
let slice_cell: &[Cell<i32>] = cell_slice.as_slice_of_cells();
assert_eq!(slice_cell.len(), 3);
Run
获取 cell 的值,将 Default::default()
保留在其位置。
use std::cell::Cell;
let c = Cell::new(5);
let five = c.take();
assert_eq!(five, 5);
assert_eq!(c.into_inner(), 0);
Run
从 &Cell<[T]>
返回 &[Cell<T>]
use std::cell::Cell;
let slice: &mut [i32] = &mut [1, 2, 3];
let cell_slice: &Cell<[i32]> = Cell::from_mut(slice);
let slice_cell: &[Cell<i32>] = cell_slice.as_slice_of_cells();
assert_eq!(slice_cell.len(), 3);
Run
创建一个 Cell<T>
,其 T 值为 Default
。
此方法测试的内容少于 (对于 self
和 other
),并且由 <
操作员使用。 Read more
此方法测试小于或等于 (对于 self
和 other
),并且由 <=
运算符使用。 Read more
此方法测试大于 (对于 self
和 other
),并且由 >
操作员使用。 Read more
此方法测试是否大于或等于 (对于 self
和 other
),并且由 >=
运算符使用。 Read more
🔬 This is a nightly-only experimental API. (toowned_clone_into
#41263)
recently added