- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我在 C++ 方面的背景让我对内部可变性感到不舒服。
下面的代码是我围绕这个主题的调查。
我同意,从借用检查器的角度来看,处理
每个内部状态可以的单个结构上的许多引用
迟早要改变是不可能的;这显然是在哪里
内部可变性可以提供帮助。
此外,在章节15.5 "RefCell and the Interior Mutability Pattern" Rust 编程语言的例子
关于Messenger
trait 及其在MockMessenger
struct 让我觉得它是一个通用的 API
设计系统偏好&self
超过 &mut self
甚至
如果很明显某种可变性将是强制性的
迟早。Messenger
的实现怎么可能?不改变其内部
发送消息时的状态?
异常(exception)只是打印消息,这是一致的
与 &self
, 但一般情况可能包括
写入某种内部流,这可能意味着缓冲,
更新错误标志...
所有这些当然需要&mut self
,例如
impl Write for File
.
在我看来,依靠内部可变性来解决这个问题
例如,在 C++ 中,const_cast
滥用或滥用mutable
成员只是
因为在应用程序的其他地方我们并不一致const
ness(C++ 学习者的常见错误)。
那么,回到下面的示例代码,我应该:
&mut self
(编译器不会提示,即使它是change_e()
至change_i()
为了&self
,因为内部可变性允许它,甚至/*
$ rustc int_mut.rs && ./int_mut
initial: 1 2 3 4 5 6 7 8 9
change_a: 11 2 3 4 5 6 7 8 9
change_b: 11 22 3 4 5 6 7 8 9
change_c: 11 22 33 4 5 6 7 8 9
change_d: 11 22 33 44 5 6 7 8 9
change_e: 11 22 33 44 55 6 7 8 9
change_f: 11 22 33 44 55 66 7 8 9
change_g: 11 22 33 44 55 66 77 8 9
change_h: 11 22 33 44 55 66 77 88 9
change_i: 11 22 33 44 55 66 77 88 99
*/
struct Thing {
a: i32,
b: std::boxed::Box<i32>,
c: std::rc::Rc<i32>,
d: std::sync::Arc<i32>,
e: std::sync::Mutex<i32>,
f: std::sync::RwLock<i32>,
g: std::cell::UnsafeCell<i32>,
h: std::cell::Cell<i32>,
i: std::cell::RefCell<i32>,
}
impl Thing {
fn new() -> Self {
Self {
a: 1,
b: std::boxed::Box::new(2),
c: std::rc::Rc::new(3),
d: std::sync::Arc::new(4),
e: std::sync::Mutex::new(5),
f: std::sync::RwLock::new(6),
g: std::cell::UnsafeCell::new(7),
h: std::cell::Cell::new(8),
i: std::cell::RefCell::new(9),
}
}
fn show(&self) -> String // & is enough (read-only)
{
format!(
"{:3} {:3} {:3} {:3} {:3} {:3} {:3} {:3} {:3}",
self.a,
self.b,
self.c,
self.d,
self.e.lock().unwrap(),
self.f.read().unwrap(),
unsafe { *self.g.get() },
self.h.get(),
self.i.borrow(),
)
}
fn change_a(&mut self) // &mut is mandatory
{
let target = &mut self.a;
*target += 10;
}
fn change_b(&mut self) // &mut is mandatory
{
let target = self.b.as_mut();
*target += 20;
}
fn change_c(&mut self) // &mut is mandatory
{
let target = std::rc::Rc::get_mut(&mut self.c).unwrap();
*target += 30;
}
fn change_d(&mut self) // &mut is mandatory
{
let target = std::sync::Arc::get_mut(&mut self.d).unwrap();
*target += 40;
}
fn change_e(&self) // !!! no &mut here !!!
{
// With C++, a std::mutex protecting a separate integer (e)
// would have been used as two data members of the structure.
// As our intent is to alter the integer (e), and because
// std::mutex::lock() is _NOT_ const (but it's an internal
// that could have been hidden behind the mutable keyword),
// this member function would _NOT_ be const in C++.
// But here, &self (equivalent of a const member function)
// is accepted although we actually change the internal
// state of the structure (the protected integer).
let mut target = self.e.lock().unwrap();
*target += 50;
}
fn change_f(&self) // !!! no &mut here !!!
{
// actually alters the integer (as with e)
let mut target = self.f.write().unwrap();
*target += 60;
}
fn change_g(&self) // !!! no &mut here !!!
{
// actually alters the integer (as with e, f)
let target = self.g.get();
unsafe { *target += 70 };
}
fn change_h(&self) // !!! no &mut here !!!
{
// actually alters the integer (as with e, f, g)
self.h.set(self.h.get() + 80);
}
fn change_i(&self) // !!! no &mut here !!!
{
// actually alters the integer (as with e, f, g, h)
let mut target = self.i.borrow_mut();
*target += 90;
}
}
fn main() {
let mut t = Thing::new();
println!(" initial: {}", t.show());
t.change_a();
println!("change_a: {}", t.show());
t.change_b();
println!("change_b: {}", t.show());
t.change_c();
println!("change_c: {}", t.show());
t.change_d();
println!("change_d: {}", t.show());
t.change_e();
println!("change_e: {}", t.show());
t.change_f();
println!("change_f: {}", t.show());
t.change_g();
println!("change_g: {}", t.show());
t.change_h();
println!("change_h: {}", t.show());
t.change_i();
println!("change_i: {}", t.show());
}
最佳答案
Relying on interior mutability to solve this problem sounds to melike, in C++,
const_cast
ing or abusing ofmutable
members justbecause elsewhere in the application we were not consistent aboutconst
ness (common mistake for learners of C++).
mut
关键字实际上有两个含义。在模式中,它表示“可变”,而在引用类型中,它表示“独占”。
&self
和
&mut self
的区别其实不在于
self
是否可以变异,而在于是否可以别名。
Messenger
示例中,首先我们不要太认真;它旨在说明语言功能,不一定是系统设计。但是我们可以想象为什么可能会使用
&self
:
Messenger
旨在由共享的结构实现,因此不同的代码片段可以保存对同一对象的引用并将其用于
send
警报,而无需相互协调。如果
send
采用
&mut self
,那么对于此目的将毫无用处,因为一次只能存在一个
&mut self
引用。将消息发送到共享的
Messenger
是不可能的(不通过
Mutex
或其他东西添加内部可变性的外部层)。
mutable
等价物,因为 Rust 没有
const
成员(这里的流行语是“可变性是绑定(bind)的属性,而不是类型”)。 Rust 确实有
const_cast
等价物,但仅适用于原始指针,因为将共享
&
引用转换为独占
&mut
引用是不合理的。相反,C++ 没有
Cell
或
RefCell
之类的东西,因为每个值都隐含在
UnsafeCell
后面。
So, back to my example code below, should I[...]
Thing
的预期语义。
Thing
的本质是要共享的,比如 channel 端点还是文件?在共享(别名)引用上调用
change_e
是否有意义?如果是这样,则使用内部可变性在
&self
上公开方法。
Thing
主要是数据容器吗?有时共享有时排他有意义吗?然后
Thing
可能不应该使用内部可变性,并让库的用户决定如何处理共享突变,如果有必要的话。
restrict
是 C++ 中的非标准扩展,但它是 C99 的一部分。 Rust 的共享 (
&
) 引用类似于
const *restrict
指针,而独占 (
&mut
) 引用类似于非
const
*restrict
指针。见
What does the restrict keyword mean in C++?
restrict
(或
__restrict
等)指针是什么时候?不要费心去想它;答案是“从不”。
restrict
可以比常规指针进行更积极的优化,但是很难正确使用它,因为您必须非常小心别名,并且编译器不提供任何帮助。它基本上是一把巨大的脚枪,几乎没有人使用它。为了使在 C++ 中使用
restrict
的方式普遍使用
const
是值得的,您需要能够在函数上注释哪些指针可以在什么时候给其他指针起别名,制定一些关于指针何时有效的规则遵循,并有一个编译器通过检查每个函数是否遵循规则。就像某种...检查器。
关于rust - API 设计中的内部可变性滥用?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/63487359/
我想做的是让 JTextPane 在 JPanel 中占用尽可能多的空间。对于我使用的 UpdateInfoPanel: public class UpdateInfoPanel extends JP
我在 JPanel 中有一个 JTextArea,我想将其与 JScrollPane 一起使用。我正在使用 GridBagLayout。当我运行它时,框架似乎为 JScrollPane 腾出了空间,但
我想在 xcode 中实现以下功能。 我有一个 View Controller 。在这个 UIViewController 中,我有一个 UITabBar。它们下面是一个 UIView。将 UITab
有谁知道Firebird 2.5有没有类似于SQL中“STUFF”函数的功能? 我有一个包含父用户记录的表,另一个表包含与父相关的子用户记录。我希望能够提取用户拥有的“ROLES”的逗号分隔字符串,而
我想使用 JSON 作为 mirth channel 的输入和输出,例如详细信息保存在数据库中或创建 HL7 消息。 简而言之,输入为 JSON 解析它并输出为任何格式。 最佳答案 var objec
通常我会使用 R 并执行 merge.by,但这个文件似乎太大了,部门中的任何一台计算机都无法处理它! (任何从事遗传学工作的人的附加信息)本质上,插补似乎删除了 snp ID 的 rs 数字,我只剩
我有一个以前可能被问过的问题,但我很难找到正确的描述。我希望有人能帮助我。 在下面的代码中,我设置了varprice,我想添加javascript变量accu_id以通过rails在我的数据库中查找记
我有一个简单的 SVG 文件,在 Firefox 中可以正常查看 - 它的一些包装文本使用 foreignObject 包含一些 HTML - 文本包装在 div 中:
所以我正在为学校编写一个 Ruby 程序,如果某个值是 1 或 3,则将 bool 值更改为 true,如果是 0 或 2,则更改为 false。由于我有 Java 背景,所以我认为这段代码应该有效:
我做了什么: 我在这些账户之间创建了 VPC 对等连接 互联网网关也连接到每个 VPC 还配置了路由表(以允许来自双方的流量) 情况1: 当这两个 VPC 在同一个账户中时,我成功测试了从另一个 La
我有一个名为 contacts 的表: user_id contact_id 10294 10295 10294 10293 10293 10294 102
我正在使用 Magento 中的新模板。为避免重复代码,我想为每个产品预览使用相同的子模板。 特别是我做了这样一个展示: $products = Mage::getModel('catalog/pro
“for”是否总是检查协议(protocol)中定义的每个函数中第一个参数的类型? 编辑(改写): 当协议(protocol)方法只有一个参数时,根据该单个参数的类型(直接或任意)找到实现。当协议(p
我想从我的 PHP 代码中调用 JavaScript 函数。我通过使用以下方法实现了这一点: echo ' drawChart($id); '; 这工作正常,但我想从我的 PHP 代码中获取数据,我使
这个问题已经有答案了: Event binding on dynamically created elements? (23 个回答) 已关闭 5 年前。 我有一个动态表单,我想在其中附加一些其他 h
我正在尝试找到一种解决方案,以在 componentDidMount 中的映射项上使用 setState。 我正在使用 GraphQL连同 Gatsby返回许多 data 项目,但要求在特定的 pat
我在 ScrollView 中有一个 View 。只要用户按住该 View ,我想每 80 毫秒调用一次方法。这是我已经实现的: final Runnable vibrate = new Runnab
我用 jni 开发了一个 android 应用程序。我在 GetStringUTFChars 的 dvmDecodeIndirectRef 中得到了一个 dvmabort。我只中止了一次。 为什么会这
当我到达我的 Activity 时,我调用 FragmentPagerAdapter 来处理我的不同选项卡。在我的一个选项卡中,我想显示一个 RecyclerView,但他从未出现过,有了断点,我看到
当我按下 Activity 中的按钮时,会弹出一个 DialogFragment。在对话框 fragment 中,有一个看起来像普通 ListView 的 RecyclerView。 我想要的行为是当
我是一名优秀的程序员,十分优秀!