Skip to content

Commit bf5da36

Browse files
committed
Auto merge of #32778 - steveklabnik:rollup, r=steveklabnik
Rollup of 12 pull requests - Successful merges: #31762, #32538, #32634, #32668, #32679, #32691, #32724, #32727, #32744, #32761, #32766, #32774 - Failed merges:
2 parents 943ec3b + 862ae9a commit bf5da36

File tree

15 files changed

+76
-72
lines changed

15 files changed

+76
-72
lines changed

src/doc/book/concurrency.md

+7-4
Original file line numberDiff line numberDiff line change
@@ -127,9 +127,7 @@ thread may outlive the scope of `x`, leading to a dangling pointer.
127127

128128
To fix this, we use a `move` closure as mentioned in the error message. `move`
129129
closures are explained in depth [here](closures.html#move-closures); basically
130-
they move variables from their environment into themselves. This means that `x`
131-
is now owned by the closure, and cannot be used in `main()` after the call to
132-
`spawn()`.
130+
they move variables from their environment into themselves.
133131

134132
```rust
135133
use std::thread;
@@ -164,7 +162,7 @@ The same [ownership system](ownership.html) that helps prevent using pointers
164162
incorrectly also helps rule out data races, one of the worst kinds of
165163
concurrency bugs.
166164

167-
As an example, here is a Rust program that would have a data race in many
165+
As an example, here is a Rust program that could have a data race in many
168166
languages. It will not compile:
169167

170168
```ignore
@@ -197,6 +195,11 @@ thread, and the thread takes ownership of the reference, we'd have three owners!
197195
`data` gets moved out of `main` in the first call to `spawn()`, so subsequent
198196
calls in the loop cannot use this variable.
199197

198+
Note that this specific example will not cause a data race since different array
199+
indices are being accessed. But this can't be determined at compile time, and in
200+
a similar situation where `i` is a constant or is random, you would have a data
201+
race.
202+
200203
So, we need some type that lets us have more than one owning reference to a
201204
value. Usually, we'd use `Rc<T>` for this, which is a reference counted type
202205
that provides shared ownership. It has some runtime bookkeeping that keeps track

src/doc/book/crates-and-modules.md

+14-8
Original file line numberDiff line numberDiff line change
@@ -118,7 +118,7 @@ build deps examples libphrases-a7448e02a0468eaa.rlib native
118118
`libphrases-hash.rlib` is the compiled crate. Before we see how to use this
119119
crate from another crate, let’s break it up into multiple files.
120120

121-
# Multiple file crates
121+
# Multiple File Crates
122122

123123
If each crate were just one file, these files would get very large. It’s often
124124
easier to split up crates into multiple files, and Rust supports this in two
@@ -190,13 +190,19 @@ mod farewells;
190190
```
191191

192192
Again, these declarations tell Rust to look for either
193-
`src/english/greetings.rs` and `src/japanese/greetings.rs` or
194-
`src/english/farewells/mod.rs` and `src/japanese/farewells/mod.rs`. Because
195-
these sub-modules don’t have their own sub-modules, we’ve chosen to make them
196-
`src/english/greetings.rs` and `src/japanese/farewells.rs`. Whew!
197-
198-
The contents of `src/english/greetings.rs` and `src/japanese/farewells.rs` are
199-
both empty at the moment. Let’s add some functions.
193+
`src/english/greetings.rs`, `src/english/farewells.rs`,
194+
`src/japanese/greetings.rs` and `src/japanese/farewells.rs` or
195+
`src/english/greetings/mod.rs`, `src/english/farewells/mod.rs`,
196+
`src/japanese/greetings/mod.rs` and
197+
`src/japanese/farewells/mod.rs`. Because these sub-modules don’t have
198+
their own sub-modules, we’ve chosen to make them
199+
`src/english/greetings.rs`, `src/english/farewells.rs`,
200+
`src/japanese/greetings.rs` and `src/japanese/farewells.rs`. Whew!
201+
202+
The contents of `src/english/greetings.rs`,
203+
`src/english/farewells.rs`, `src/japanese/greetings.rs` and
204+
`src/japanese/farewells.rs` are all empty at the moment. Let’s add
205+
some functions.
200206

201207
Put this in `src/english/greetings.rs`:
202208

src/doc/book/lifetimes.md

+2-2
Original file line numberDiff line numberDiff line change
@@ -56,8 +56,8 @@ To fix this, we have to make sure that step four never happens after step
5656
three. The ownership system in Rust does this through a concept called
5757
lifetimes, which describe the scope that a reference is valid for.
5858

59-
When we have a function that takes a reference by argument, we can be implicit
60-
or explicit about the lifetime of the reference:
59+
When we have a function that takes an argument by reference, we can be
60+
implicit or explicit about the lifetime of the reference:
6161

6262
```rust
6363
// implicit

src/libcollections/borrow.rs

+12
Original file line numberDiff line numberDiff line change
@@ -49,6 +49,18 @@ pub trait ToOwned {
4949
type Owned: Borrow<Self>;
5050

5151
/// Creates owned data from borrowed data, usually by cloning.
52+
///
53+
/// # Examples
54+
///
55+
/// Basic usage:
56+
///
57+
/// ```
58+
/// let s = "a"; // &str
59+
/// let ss = s.to_owned(); // String
60+
///
61+
/// let v = &[1, 2]; // slice
62+
/// let vv = v.to_owned(); // Vec
63+
/// ```
5264
#[stable(feature = "rust1", since = "1.0.0")]
5365
fn to_owned(&self) -> Self::Owned;
5466
}

src/libcore/ptr.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -220,7 +220,7 @@ impl<T: ?Sized> *const T {
220220
/// ```
221221
/// let s: &str = "Follow the rabbit";
222222
/// let ptr: *const u8 = s.as_ptr();
223-
/// assert!(ptr.is_null() == false);
223+
/// assert!(!ptr.is_null());
224224
/// ```
225225
#[stable(feature = "rust1", since = "1.0.0")]
226226
#[inline]
@@ -306,7 +306,7 @@ impl<T: ?Sized> *mut T {
306306
/// ```
307307
/// let mut s = [1, 2, 3];
308308
/// let ptr: *mut u32 = s.as_mut_ptr();
309-
/// assert!(ptr.is_null() == false);
309+
/// assert!(!ptr.is_null());
310310
/// ```
311311
#[stable(feature = "rust1", since = "1.0.0")]
312312
#[inline]

src/librustc/lint/builtin.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -144,7 +144,7 @@ declare_lint! {
144144

145145
declare_lint! {
146146
pub ILLEGAL_STRUCT_OR_ENUM_CONSTANT_PATTERN,
147-
Deny,
147+
Warn,
148148
"constants of struct or enum type can only be used in a pattern if \
149149
the struct or enum has `#[derive(PartialEq, Eq)]`"
150150
}

src/librustc_resolve/check_unused.rs

+5-20
Original file line numberDiff line numberDiff line change
@@ -51,16 +51,8 @@ impl<'a, 'b, 'tcx:'b> DerefMut for UnusedImportCheckVisitor<'a, 'b, 'tcx> {
5151

5252
impl<'a, 'b, 'tcx> UnusedImportCheckVisitor<'a, 'b, 'tcx> {
5353
// We have information about whether `use` (import) directives are actually
54-
// used now. If an import is not used at all, we signal a lint error. If an
55-
// import is only used for a single namespace, we remove the other namespace
56-
// from the recorded privacy information. That means in privacy.rs, we will
57-
// only check imports and namespaces which are used. In particular, this
58-
// means that if an import could name either a public or private item, we
59-
// will check the correct thing, dependent on how the import is used.
60-
fn finalize_import(&mut self, id: ast::NodeId, span: Span) {
61-
debug!("finalizing import uses for {:?}",
62-
self.session.codemap().span_to_snippet(span));
63-
54+
// used now. If an import is not used at all, we signal a lint error.
55+
fn check_import(&mut self, id: ast::NodeId, span: Span) {
6456
if !self.used_imports.contains(&(id, TypeNS)) &&
6557
!self.used_imports.contains(&(id, ValueNS)) {
6658
self.session.add_lint(lint::builtin::UNUSED_IMPORTS,
@@ -95,23 +87,16 @@ impl<'a, 'b, 'v, 'tcx> Visitor<'v> for UnusedImportCheckVisitor<'a, 'b, 'tcx> {
9587
hir::ItemUse(ref p) => {
9688
match p.node {
9789
ViewPathSimple(_, _) => {
98-
self.finalize_import(item.id, p.span)
90+
self.check_import(item.id, p.span)
9991
}
10092

10193
ViewPathList(_, ref list) => {
10294
for i in list {
103-
self.finalize_import(i.node.id(), i.span);
95+
self.check_import(i.node.id(), i.span);
10496
}
10597
}
10698
ViewPathGlob(_) => {
107-
if !self.used_imports.contains(&(item.id, TypeNS)) &&
108-
!self.used_imports.contains(&(item.id, ValueNS)) {
109-
self.session
110-
.add_lint(lint::builtin::UNUSED_IMPORTS,
111-
item.id,
112-
p.span,
113-
"unused import".to_string());
114-
}
99+
self.check_import(item.id, p.span)
115100
}
116101
}
117102
}

src/libstd/collections/hash/map.rs

+4-8
Original file line numberDiff line numberDiff line change
@@ -428,10 +428,7 @@ fn robin_hood<'a, K: 'a, V: 'a>(bucket: FullBucketMut<'a, K, V>,
428428
mut val: V)
429429
-> &'a mut V {
430430
let starting_index = bucket.index();
431-
let size = {
432-
let table = bucket.table(); // FIXME "lifetime too short".
433-
table.size()
434-
};
431+
let size = bucket.table().size();
435432
// Save the *starting point*.
436433
let mut bucket = bucket.stash();
437434
// There can be at most `size - dib` buckets to displace, because
@@ -744,10 +741,9 @@ impl<K, V, S> HashMap<K, V, S>
744741
let h = bucket.hash();
745742
let (b, k, v) = bucket.take();
746743
self.insert_hashed_ordered(h, k, v);
747-
{
748-
let t = b.table(); // FIXME "lifetime too short".
749-
if t.size() == 0 { break }
750-
};
744+
if b.table().size() == 0 {
745+
break;
746+
}
751747
b.into_bucket()
752748
}
753749
Empty(b) => b.into_bucket()

src/libstd/env.rs

+9-9
Original file line numberDiff line numberDiff line change
@@ -181,7 +181,7 @@ fn _var(key: &OsStr) -> Result<String, VarError> {
181181
}
182182

183183
/// Fetches the environment variable `key` from the current process, returning
184-
/// None if the variable isn't set.
184+
/// `None` if the variable isn't set.
185185
///
186186
/// # Examples
187187
///
@@ -617,7 +617,7 @@ pub mod consts {
617617
#[stable(feature = "env", since = "1.0.0")]
618618
pub const ARCH: &'static str = super::arch::ARCH;
619619

620-
/// The family of the operating system. In this case, `unix`.
620+
/// The family of the operating system. Example value is `unix`.
621621
///
622622
/// Some possible values:
623623
///
@@ -626,8 +626,8 @@ pub mod consts {
626626
#[stable(feature = "env", since = "1.0.0")]
627627
pub const FAMILY: &'static str = super::os::FAMILY;
628628

629-
/// A string describing the specific operating system in use: in this
630-
/// case, `linux`.
629+
/// A string describing the specific operating system in use.
630+
/// Example value is `linux`.
631631
///
632632
/// Some possible values:
633633
///
@@ -646,7 +646,7 @@ pub mod consts {
646646
pub const OS: &'static str = super::os::OS;
647647

648648
/// Specifies the filename prefix used for shared libraries on this
649-
/// platform: in this case, `lib`.
649+
/// platform. Example value is `lib`.
650650
///
651651
/// Some possible values:
652652
///
@@ -656,7 +656,7 @@ pub mod consts {
656656
pub const DLL_PREFIX: &'static str = super::os::DLL_PREFIX;
657657

658658
/// Specifies the filename suffix used for shared libraries on this
659-
/// platform: in this case, `.so`.
659+
/// platform. Example value is `.so`.
660660
///
661661
/// Some possible values:
662662
///
@@ -667,7 +667,7 @@ pub mod consts {
667667
pub const DLL_SUFFIX: &'static str = super::os::DLL_SUFFIX;
668668

669669
/// Specifies the file extension used for shared libraries on this
670-
/// platform that goes after the dot: in this case, `so`.
670+
/// platform that goes after the dot. Example value is `so`.
671671
///
672672
/// Some possible values:
673673
///
@@ -678,7 +678,7 @@ pub mod consts {
678678
pub const DLL_EXTENSION: &'static str = super::os::DLL_EXTENSION;
679679

680680
/// Specifies the filename suffix used for executable binaries on this
681-
/// platform: in this case, the empty string.
681+
/// platform. Example value is `.exe`.
682682
///
683683
/// Some possible values:
684684
///
@@ -690,7 +690,7 @@ pub mod consts {
690690
pub const EXE_SUFFIX: &'static str = super::os::EXE_SUFFIX;
691691

692692
/// Specifies the file extension, if any, used for executable binaries
693-
/// on this platform: in this case, the empty string.
693+
/// on this platform. Example value is `exe`.
694694
///
695695
/// Some possible values:
696696
///

src/libstd/fs.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1708,7 +1708,7 @@ mod tests {
17081708
let tmpdir = tmpdir();
17091709
let dir = &tmpdir.join("fileinfo_false_on_dir");
17101710
check!(fs::create_dir(dir));
1711-
assert!(dir.is_file() == false);
1711+
assert!(!dir.is_file());
17121712
check!(fs::remove_dir(dir));
17131713
}
17141714

src/libstd/primitive_docs.rs

+4-2
Original file line numberDiff line numberDiff line change
@@ -425,10 +425,11 @@ mod prim_str { }
425425
///
426426
/// # Trait implementations
427427
///
428-
/// If every type inside a tuple implements one of the following
429-
/// traits, then a tuple itself also implements it.
428+
/// If every type inside a tuple implements one of the following traits, then a
429+
/// tuple itself also implements it.
430430
///
431431
/// * [`Clone`]
432+
/// * [`Copy`]
432433
/// * [`PartialEq`]
433434
/// * [`Eq`]
434435
/// * [`PartialOrd`]
@@ -438,6 +439,7 @@ mod prim_str { }
438439
/// * [`Hash`]
439440
///
440441
/// [`Clone`]: clone/trait.Clone.html
442+
/// [`Copy`]: marker/trait.Copy.html
441443
/// [`PartialEq`]: cmp/trait.PartialEq.html
442444
/// [`Eq`]: cmp/trait.Eq.html
443445
/// [`PartialOrd`]: cmp/trait.PartialOrd.html

src/libsyntax/parse/parser.rs

+6-6
Original file line numberDiff line numberDiff line change
@@ -1188,12 +1188,12 @@ impl<'a> Parser<'a> {
11881188
-> PResult<'a, TyKind> {
11891189
/*
11901190
1191-
[unsafe] [extern "ABI"] fn <'lt> (S) -> T
1192-
^~~~^ ^~~~^ ^~~~^ ^~^ ^
1193-
| | | | |
1194-
| | | | Return type
1195-
| | | Argument types
1196-
| | Lifetimes
1191+
[unsafe] [extern "ABI"] fn (S) -> T
1192+
^~~~^ ^~~~^ ^~^ ^
1193+
| | | |
1194+
| | | Return type
1195+
| | Argument types
1196+
| |
11971197
| ABI
11981198
Function Style
11991199
*/

src/libtest/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1509,7 +1509,7 @@ mod tests {
15091509

15101510
assert_eq!(filtered.len(), 1);
15111511
assert_eq!(filtered[0].desc.name.to_string(), "1");
1512-
assert!(filtered[0].desc.ignore == false);
1512+
assert!(!filtered[0].desc.ignore);
15131513
}
15141514

15151515
#[test]

src/test/run-pass/specialization/specialization-cross-crate-defaults.rs

+5-5
Original file line numberDiff line numberDiff line change
@@ -26,12 +26,12 @@ impl Foo for LocalOverride {
2626
}
2727

2828
fn test_foo() {
29-
assert!(0i8.foo() == false);
30-
assert!(0i32.foo() == false);
31-
assert!(0i64.foo() == true);
29+
assert!(!0i8.foo());
30+
assert!(!0i32.foo());
31+
assert!(0i64.foo());
3232

33-
assert!(LocalDefault.foo() == false);
34-
assert!(LocalOverride.foo() == true);
33+
assert!(!LocalDefault.foo());
34+
assert!(LocalOverride.foo());
3535
}
3636

3737
fn test_bar() {

src/test/run-pass/specialization/specialization-default-methods.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -35,9 +35,9 @@ impl Foo for i64 {
3535
}
3636

3737
fn test_foo() {
38-
assert!(0i8.foo() == false);
39-
assert!(0i32.foo() == false);
40-
assert!(0i64.foo() == true);
38+
assert!(!0i8.foo());
39+
assert!(!0i32.foo());
40+
assert!(0i64.foo());
4141
}
4242

4343
// Next, test mixture of explicit `default` and provided methods:

0 commit comments

Comments
 (0)