Here is how you would define and use a calculate_length function that has a reference to an object as a parameter instead of taking ownership of the value:

[root@itoracle test]# cargo new references
Created binary (application) `references` package
[root@itoracle test]# cd references/
[root@itoracle references]# vim src/main.rs
fn main() {
let s1 = String::from("wa ka ka ");
let _len = get_length(&s1);
println!("The length of '{}' is {}",s1,_len);
} fn get_length(ss: &String) -> usize{
ss.len()
}
[root@itoracle references]# cargo run
Compiling references v0.1.0 (/usr/local/automng/src/rust/test/references)
Finished dev [unoptimized + debuginfo] target(s) in .50s
Running `target/debug/references`
The length of 'wa ka ka ' is

These ampersands are references, and they allow you to refer to some value without taking ownership of it.

The &s1 syntax lets us create a reference that refers to the value of s1 but does not own it. Because it does not own it, the value it points to will not be dropped when the reference goes out of scope.

Likewise, the signature of the function uses & to indicate that the type of the parameter s is a reference. Let’s add some explanatory annotations:

fn get_length(s: &String) -> usize { // s is a reference to a String
s.len()
} // Here, s goes out of scope. But because it does not have ownership of what
// it refers to, nothing happens.

如果使用ownership方式求字符串长度,s1的作用范围就立即变化,引用的方式不会使变量作用域发生变化,以下是ownership的实现方式

fn main() {
let s1 = String::from("wa ka ka ");
let _len = get_length(s1); //基于ownership 时s1 move到了方法中,作用域虽然没有变,但后续不能再使用s1变量了
// println!("The length of '{}' is {}",s1,_len);
println!("The length is {}",_len);
} fn get_length(ss: String) -> usize{
ss.len()
}

Mutable References

fn main() {
let mut s1 = String::from("wa ka ka ");
change(&mut s1);
println!("s1={}",s1);
} fn change(my_str: &mut String){
my_str.push_str("!!!");
}
[root@itoracle references]# cargo run
Compiling references v0.1.0 (/usr/local/automng/src/rust/test/references)
Finished dev [unoptimized + debuginfo] target(s) in .06s
Running `target/debug/references`
s1=wa ka ka !!!

First, we had to change s to be mut. Then we had to create a mutable reference with &mut s and accept a mutable reference with some_string: &mut String.

But mutable references have one big restriction: you can have only one mutable reference to a particular piece of data in a particular scope. This code will fail:

下面代码是错误的

let mut s = String::from("hello");

let r1 = &mut s;
let r2 = &mut s; println!("{}, {}", r1, r2);

This restriction allows for mutation but in a very controlled fashion. It’s something that new Rustaceans struggle with, because most languages let you mutate whenever you’d like.

The benefit of having this restriction is that Rust can prevent data races at compile time. A data raceis similar to a race condition and happens when these three behaviors occur:

  • Two or more pointers access the same data at the same time.
  • At least one of the pointers is being used to write to the data.
  • There’s no mechanism being used to synchronize access to the data.

Data races cause undefined behavior and can be difficult to diagnose and fix when you’re trying to track them down at runtime; Rust prevents this problem from happening because it won’t even compile code with data races!

As always, we can use curly brackets to create a new scope, allowing for multiple mutable references, just not simultaneous ones:

let mut s = String::from("hello");

{
let r1 = &mut s; } // r1 goes out of scope here, so we can make a new reference with no problems. let r2 = &mut s;

下一次的可变引用,要建立在上一次的引用“不可用”的基础的上,下面的做法也可以

这里的 不可用,是指作用域可能还没消失,但运行时不可调用了,代码中不可使用了

fn main() {
let mut s1 = String::from("wa ka ka ");
change(&mut s1);
println!("s1={}",s1); {
let _r1 = &mut s1;
} // r1 goes out of scope here, so we can make a new reference with no problems. let _r2 = &mut s1;
change(&mut s1); //_r2在可变s1被第二次引用时不可再使用,后面不能再对_r2使用了 } fn change(my_str: &mut String){
my_str.push_str("!!!");
}

对于可变引用,如果代码中有一个以上的地方引用,那就表示至少有两处地方可以对该变量修改,不符合rust可变变量只能有一处地方可修改的规则,编辑阶段就会报错。

一个可变变量同一作用域中只能有一处可用引用,新的引用生效时,已有引用失效,后续无法再次使用。

将已经用过一次的可变引用以方法参数传递时,之前对该可变变量的引用自动失效,只要后续不再使用之前的引用变量,代码可以正常运行;

如果是直接将可变引用第二次赋值到新变量,则是编译阶段报错。

fn main() {
let mut s1 = String::from("wa ka ka ");
change(&mut s1);
println!("s1={}",s1); {
let _r1 = &mut s1;
} // r1 goes out of scope here, so we can make a new reference with no problems. let _r2 = &mut s1;
change(&mut s1);
let r3 = &s1; // no problem
let r4 = &s1; // no problem
let r5 = &mut s1; //前面还有引用(_r2)未失效,这里会报错
println!("{},{}",r3,r4);
} fn change(my_str: &mut String){
my_str.push_str("!!!");
}
error[E0502]: cannot borrow `s1` as mutable because it is also borrowed as immutable
--> src/main.rs::
|
| let r3 = &s1; // no problem
| --- immutable borrow occurs here
| let r4 = &s1; // no problem
| let r5 = &mut s1;
| ^^^^^^^ mutable borrow occurs here
| println!("{},{}",r3,r4);
| -- immutable borrow later used here error: aborting due to previous error For more information about this error, try `rustc --explain E0502`.
error: Could not compile `references`.

2.5 References & Borrowing的更多相关文章

  1. 3.5 Rust Generic Types, Traits, and Lifetimes

    Every programming language has tools for effectively handling the duplication of concepts. In Rust, ...

  2. JavaScript Patterns 6.7 Borrowing Methods

    Scenario You want to use just the methods you like, without inheriting all the other methods that yo ...

  3. Oracle Created Database Users: Password, Usage and Files References (文档 ID 160861.1)

    This document is no longer actively maintained, for info on specific (new) users in recent product e ...

  4. Atitit java方法引用(Method References) 与c#委托与脚本语言js的函数指针

    Atitit java方法引用(Method References) 与c#委托与脚本语言js的函数指针   1.1. java方法引用(Method References) 与c#委托与脚本语言js ...

  5. object references an unsaved transient instance - save the transient instance before flushing错误

    异常1:not-null property references a null or transient value解决方法:将“一对多”关系中的“一”方,not-null设置为false(参考资料: ...

  6. C++ 之 const references

    extraction from The C++ Programming Language 4th. ed., Section 7.7 References, Bjarne Stroustrup To ...

  7. Notice: Only variable references should be returned by reference(PHP版本兼容性问题)

    摘自:http://sushener.spaces.live.com/blog/cns!BB54050A5CFAFCDD!435.entry PHP5一个很让人恼火的一点就是BC(向后兼容)不是很理想 ...

  8. [翻译]Understanding Weak References(理解弱引用)

    原文 Understanding Weak References Posted by enicholas on May 4, 2006 at 5:06 PM PDT 译文 我面试的这几个人怎么这么渣啊 ...

  9. ManyToMany【项目随笔】关于异常object references an unsaved transient instance

    在保存ManyToMany  时出现异常: org.springframework.dao.InvalidDataAccessApiUsageException: org.hibernate.Tran ...

随机推荐

  1. Socket接口原理及用C#语言实现

    首先从原理上解释一下采用Socket接口的网络通讯,这里以最常用的C/S模式作为范例,首先,服务端有一个进程(或多个进程)在指定的端口等待客户来连接,服务程序等待客户的连接信息,一旦连接上之后,就可以 ...

  2. UIWebView分页显示

    問題:使用iOS UIWebView時,載入本地html檔案,但是該檔案太大,結果螢幕畫面形成一長條型顯示,雖然用滾動畫面可以看見整個html檔案,但是滑來滑去,不好用. 目標:用UIWebView載 ...

  3. tomcat启动startup.bat一闪而过

    编辑startup.bat,在文本最后添加PAUSE,保存后打开startup.bat,此时窗口会暂停,并出现错误信息,然后按照错误提示纠正即可!

  4. 简单好用的表单校验插件——jQuery Validate基本使用方法总结

    jquery validate当前最新版本是1.17.0,下载链接是:https://github.com/jquery-validation/jquery-validation/releases/t ...

  5. 【BZOJ1853】[Scoi2010]幸运数字 容斥原理+搜索

    Description 在中国,很多人都把6和8视为是幸运数字!lxhgww也这样认为,于是他定义自己的"幸运号码"是十进制表示中只包含数字6和8的那些号码,比如68,666,88 ...

  6. Samba服务为例、简单了解

    先.关掉SElinux.防火墙. ---------------------------- 安装rpm包(主): samba-3.6.9-164.el6.x86_64.rpm 启动检测:samba服务 ...

  7. 如果将markdown视作一门编程语言可以做哪些有趣的事情?

    如题,然后就有了为解决这个好奇而开的项目:https://github.com/racaljk/llmd 源码主要是parser+interpreter,其中parser使用sundown,然后生成l ...

  8. 加快npm包安装的方法

    一直以来都感觉使用npm安装包的速度特别的慢,但是由于npm上面的包比较齐全,所以一直在忍受这种安装依赖包的折磨. 不过这种折磨,到今天为止应该是可以结束了,在知乎看到一个这样的说法: 用npmins ...

  9. 品味Zookeeper之选举及数据一致性_3

    品味Zookeeper之选举及数据一致性 本文思维导图 前言 为了高可用和数据安全起见,zk集群一般都是由几个节点构成(由n/2+1,投票机制决定,肯定是奇数个节点).多节点证明它们之间肯定会有数据的 ...

  10. jquery.from帮助类

    /** * 将form里面的内容序列化成json * 相同的checkbox用分号拼接起来 * @param {obj} 需要拼接在后面的json对象 * @method serializeJson ...