Skip to content

Commit c59cb71

Browse files
authored
Auto merge of #37419 - GuillaumeGomez:rollup, r=GuillaumeGomez
Rollup of 7 pull requests - Successful merges: #36206, #37144, #37391, #37394, #37396, #37398, #37414 - Failed merges:
2 parents 3a25b65 + 48b0228 commit c59cb71

File tree

10 files changed

+90
-59
lines changed

10 files changed

+90
-59
lines changed

src/doc/book/references-and-borrowing.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -240,7 +240,7 @@ fn main() {
240240

241241
In other words, the mutable borrow is held through the rest of our example. What
242242
we want is for the mutable borrow by `y` to end so that the resource can be
243-
returned to the owner, `x`. `x` can then provide a immutable borrow to `println!`.
243+
returned to the owner, `x`. `x` can then provide an immutable borrow to `println!`.
244244
In Rust, borrowing is tied to the scope that the borrow is valid for. And our
245245
scopes look like this:
246246

src/libcollections/vec.rs

+22-22
Original file line numberDiff line numberDiff line change
@@ -166,7 +166,7 @@ use super::range::RangeArgument;
166166
/// # Slicing
167167
///
168168
/// A `Vec` can be mutable. Slices, on the other hand, are read-only objects.
169-
/// To get a slice, use "&". Example:
169+
/// To get a slice, use `&`. Example:
170170
///
171171
/// ```
172172
/// fn read_slice(slice: &[usize]) {
@@ -203,33 +203,33 @@ use super::range::RangeArgument;
203203
///
204204
/// # Guarantees
205205
///
206-
/// Due to its incredibly fundamental nature, Vec makes a lot of guarantees
206+
/// Due to its incredibly fundamental nature, `Vec` makes a lot of guarantees
207207
/// about its design. This ensures that it's as low-overhead as possible in
208208
/// the general case, and can be correctly manipulated in primitive ways
209209
/// by unsafe code. Note that these guarantees refer to an unqualified `Vec<T>`.
210210
/// If additional type parameters are added (e.g. to support custom allocators),
211211
/// overriding their defaults may change the behavior.
212212
///
213-
/// Most fundamentally, Vec is and always will be a (pointer, capacity, length)
213+
/// Most fundamentally, `Vec` is and always will be a (pointer, capacity, length)
214214
/// triplet. No more, no less. The order of these fields is completely
215215
/// unspecified, and you should use the appropriate methods to modify these.
216216
/// The pointer will never be null, so this type is null-pointer-optimized.
217217
///
218218
/// However, the pointer may not actually point to allocated memory. In particular,
219-
/// if you construct a Vec with capacity 0 via [`Vec::new()`], [`vec![]`][`vec!`],
219+
/// if you construct a `Vec` with capacity 0 via [`Vec::new()`], [`vec![]`][`vec!`],
220220
/// [`Vec::with_capacity(0)`][`Vec::with_capacity`], or by calling [`shrink_to_fit()`]
221221
/// on an empty Vec, it will not allocate memory. Similarly, if you store zero-sized
222222
/// types inside a `Vec`, it will not allocate space for them. *Note that in this case
223-
/// the `Vec` may not report a [`capacity()`] of 0*. Vec will allocate if and only
223+
/// the `Vec` may not report a [`capacity()`] of 0*. `Vec` will allocate if and only
224224
/// if [`mem::size_of::<T>()`]` * capacity() > 0`. In general, `Vec`'s allocation
225225
/// details are subtle enough that it is strongly recommended that you only
226-
/// free memory allocated by a Vec by creating a new Vec and dropping it.
226+
/// free memory allocated by a `Vec` by creating a new `Vec` and dropping it.
227227
///
228228
/// If a `Vec` *has* allocated memory, then the memory it points to is on the heap
229229
/// (as defined by the allocator Rust is configured to use by default), and its
230230
/// pointer points to [`len()`] initialized elements in order (what you would see
231-
/// if you coerced it to a slice), followed by `[capacity()][`capacity()`] -
232-
/// [len()][`len()`]` logically uninitialized elements.
231+
/// if you coerced it to a slice), followed by [`capacity()`]` - `[`len()`]
232+
/// logically uninitialized elements.
233233
///
234234
/// `Vec` will never perform a "small optimization" where elements are actually
235235
/// stored on the stack for two reasons:
@@ -249,8 +249,8 @@ use super::range::RangeArgument;
249249
/// [`shrink_to_fit`][`shrink_to_fit()`].
250250
///
251251
/// [`push`] and [`insert`] will never (re)allocate if the reported capacity is
252-
/// sufficient. [`push`] and [`insert`] *will* (re)allocate if `[len()][`len()`]
253-
/// == [capacity()][`capacity()`]`. That is, the reported capacity is completely
252+
/// sufficient. [`push`] and [`insert`] *will* (re)allocate if
253+
/// [`len()`]` == `[`capacity()`]. That is, the reported capacity is completely
254254
/// accurate, and can be relied on. It can even be used to manually free the memory
255255
/// allocated by a `Vec` if desired. Bulk insertion methods *may* reallocate, even
256256
/// when not necessary.
@@ -261,11 +261,10 @@ use super::range::RangeArgument;
261261
/// strategy is used will of course guarantee `O(1)` amortized [`push`].
262262
///
263263
/// `vec![x; n]`, `vec![a, b, c, d]`, and
264-
/// [`Vec::with_capacity(n)`][`Vec::with_capacity`], will all
265-
/// produce a `Vec` with exactly the requested capacity. If `[len()][`len()`] ==
266-
/// [capacity()][`capacity()`]`, (as is the case for the [`vec!`] macro), then a
267-
/// `Vec<T>` can be converted to and from a [`Box<[T]>`] without reallocating or
268-
/// moving the elements.
264+
/// [`Vec::with_capacity(n)`][`Vec::with_capacity`], will all produce a `Vec`
265+
/// with exactly the requested capacity. If [`len()`]` == `[`capacity()`],
266+
/// (as is the case for the [`vec!`] macro), then a `Vec<T>` can be converted to
267+
/// and from a [`Box<[T]>`][owned slice] without reallocating or moving the elements.
269268
///
270269
/// `Vec` will not specifically overwrite any data that is removed from it,
271270
/// but also won't specifically preserve it. Its uninitialized memory is
@@ -292,7 +291,7 @@ use super::range::RangeArgument;
292291
/// [`push`]: ../../std/vec/struct.Vec.html#method.push
293292
/// [`insert`]: ../../std/vec/struct.Vec.html#method.insert
294293
/// [`reserve`]: ../../std/vec/struct.Vec.html#method.reserve
295-
/// [`Box<[T]>`]: ../../std/boxed/struct.Box.html
294+
/// [owned slice]: ../../std/boxed/struct.Box.html
296295
#[stable(feature = "rust1", since = "1.0.0")]
297296
pub struct Vec<T> {
298297
buf: RawVec<T>,
@@ -329,9 +328,10 @@ impl<T> Vec<T> {
329328
/// reallocating. If `capacity` is 0, the vector will not allocate.
330329
///
331330
/// It is important to note that this function does not specify the *length*
332-
/// of the returned vector, but only the *capacity*. (For an explanation of
333-
/// the difference between length and capacity, see the main `Vec<T>` docs
334-
/// above, 'Capacity and reallocation'.)
331+
/// of the returned vector, but only the *capacity*. For an explanation of
332+
/// the difference between length and capacity, see *[Capacity and reallocation]*.
333+
///
334+
/// [Capacity and reallocation]: #capacity-and-reallocation
335335
///
336336
/// # Examples
337337
///
@@ -497,13 +497,13 @@ impl<T> Vec<T> {
497497
self.buf.shrink_to_fit(self.len);
498498
}
499499

500-
/// Converts the vector into [`Box<[T]>`].
500+
/// Converts the vector into [`Box<[T]>`][owned slice].
501501
///
502502
/// Note that this will drop any excess capacity. Calling this and
503503
/// converting back to a vector with [`into_vec()`] is equivalent to calling
504504
/// [`shrink_to_fit()`].
505505
///
506-
/// [`Box<[T]>`]: ../../std/boxed/struct.Box.html
506+
/// [owned slice]: ../../std/boxed/struct.Box.html
507507
/// [`into_vec()`]: ../../std/primitive.slice.html#method.into_vec
508508
/// [`shrink_to_fit()`]: #method.shrink_to_fit
509509
///
@@ -779,7 +779,7 @@ impl<T> Vec<T> {
779779

780780
/// Retains only the elements specified by the predicate.
781781
///
782-
/// In other words, remove all elements `e` such that `f(&e)` returns false.
782+
/// In other words, remove all elements `e` such that `f(&e)` returns `false`.
783783
/// This method operates in place and preserves the order of the retained
784784
/// elements.
785785
///

src/librustc_resolve/check_unused.rs

+6-4
Original file line numberDiff line numberDiff line change
@@ -59,10 +59,12 @@ impl<'a, 'b> UnusedImportCheckVisitor<'a, 'b> {
5959
// Check later.
6060
return;
6161
}
62-
self.session.add_lint(lint::builtin::UNUSED_IMPORTS,
63-
id,
64-
span,
65-
"unused import".to_string());
62+
let msg = if let Ok(snippet) = self.session.codemap().span_to_snippet(span) {
63+
format!("unused import: `{}`", snippet)
64+
} else {
65+
"unused import".to_string()
66+
};
67+
self.session.add_lint(lint::builtin::UNUSED_IMPORTS, id, span, msg);
6668
} else {
6769
// This trait import is definitely used, in a way other than
6870
// method resolution.

src/librustc_save_analysis/dump_visitor.rs

+1-3
Original file line numberDiff line numberDiff line change
@@ -854,9 +854,7 @@ impl<'l, 'tcx: 'l, 'll, D: Dump + 'll> DumpVisitor<'l, 'tcx, 'll, D> {
854854
let path_data = match path_data {
855855
Some(pd) => pd,
856856
None => {
857-
span_bug!(path.span,
858-
"Unexpected def kind while looking up path in `{}`",
859-
self.span.snippet(path.span))
857+
return;
860858
}
861859
};
862860

src/librustc_typeck/astconv.rs

+23-5
Original file line numberDiff line numberDiff line change
@@ -1261,18 +1261,36 @@ impl<'o, 'gcx: 'tcx, 'tcx> AstConv<'gcx, 'tcx>+'o {
12611261
}
12621262

12631263
if bounds.len() > 1 {
1264+
let spans = bounds.iter().map(|b| {
1265+
self.tcx().impl_or_trait_items(b.def_id()).iter()
1266+
.find(|&&def_id| {
1267+
match self.tcx().impl_or_trait_item(def_id) {
1268+
ty::TypeTraitItem(ref item) => item.name.as_str() == assoc_name,
1269+
_ => false
1270+
}
1271+
})
1272+
.and_then(|&def_id| self.tcx().map.as_local_node_id(def_id))
1273+
.and_then(|node_id| self.tcx().map.opt_span(node_id))
1274+
});
1275+
12641276
let mut err = struct_span_err!(
12651277
self.tcx().sess, span, E0221,
12661278
"ambiguous associated type `{}` in bounds of `{}`",
12671279
assoc_name,
12681280
ty_param_name);
12691281
err.span_label(span, &format!("ambiguous associated type `{}`", assoc_name));
12701282

1271-
for bound in &bounds {
1272-
span_note!(&mut err, span,
1273-
"associated type `{}` could derive from `{}`",
1274-
ty_param_name,
1275-
bound);
1283+
for span_and_bound in spans.zip(&bounds) {
1284+
if let Some(span) = span_and_bound.0 {
1285+
err.span_label(span, &format!("ambiguous `{}` from `{}`",
1286+
assoc_name,
1287+
span_and_bound.1));
1288+
} else {
1289+
span_note!(&mut err, span,
1290+
"associated type `{}` could derive from `{}`",
1291+
ty_param_name,
1292+
span_and_bound.1);
1293+
}
12761294
}
12771295
err.emit();
12781296
}

src/librustc_typeck/check_unused.rs

+7-4
Original file line numberDiff line numberDiff line change
@@ -30,10 +30,13 @@ impl<'a, 'tcx> UnusedTraitImportVisitor<'a, 'tcx> {
3030
if self.tcx.used_trait_imports.borrow().contains(&id) {
3131
return;
3232
}
33-
self.tcx.sess.add_lint(lint::builtin::UNUSED_IMPORTS,
34-
id,
35-
span,
36-
"unused import".to_string());
33+
34+
let msg = if let Ok(snippet) = self.tcx.sess.codemap().span_to_snippet(span) {
35+
format!("unused import: `{}`", snippet)
36+
} else {
37+
"unused import".to_string()
38+
};
39+
self.tcx.sess.add_lint(lint::builtin::UNUSED_IMPORTS, id, span, msg);
3740
}
3841
}
3942

src/libsyntax/feature_gate.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1317,7 +1317,7 @@ pub enum UnstableFeatures {
13171317
/// Hard errors for unstable features are active, as on
13181318
/// beta/stable channels.
13191319
Disallow,
1320-
/// Allow features to me activated, as on nightly.
1320+
/// Allow features to be activated, as on nightly.
13211321
Allow,
13221322
/// Errors are bypassed for bootstrapping. This is required any time
13231323
/// during the build that feature-related lints are set to warn or above

src/test/compile-fail/E0221.rs

+14-4
Original file line numberDiff line numberDiff line change
@@ -12,17 +12,27 @@ trait T1 {}
1212
trait T2 {}
1313

1414
trait Foo {
15-
type A: T1;
15+
type A: T1; //~ NOTE: ambiguous `A` from `Foo`
1616
}
1717

1818
trait Bar : Foo {
19-
type A: T2;
19+
type A: T2; //~ NOTE: ambiguous `A` from `Bar`
2020
fn do_something() {
2121
let _: Self::A;
2222
//~^ ERROR E0221
2323
//~| NOTE ambiguous associated type `A`
24-
//~| NOTE associated type `Self` could derive from `Foo`
25-
//~| NOTE associated type `Self` could derive from `Bar`
24+
}
25+
}
26+
27+
trait T3 {}
28+
29+
trait My : std::str::FromStr {
30+
type Err: T3; //~ NOTE: ambiguous `Err` from `My`
31+
fn test() {
32+
let _: Self::Err;
33+
//~^ ERROR E0221
34+
//~| NOTE ambiguous associated type `Err`
35+
//~| NOTE associated type `Self` could derive from `std::str::FromStr`
2636
}
2737
}
2838

src/test/compile-fail/associated-type-projection-from-multiple-supertraits.rs

+7-7
Original file line numberDiff line numberDiff line change
@@ -13,13 +13,19 @@
1313

1414
pub trait Vehicle {
1515
type Color;
16+
//~^ NOTE ambiguous `Color` from `Vehicle`
17+
//~| NOTE ambiguous `Color` from `Vehicle`
18+
//~| NOTE ambiguous `Color` from `Vehicle`
1619

1720
fn go(&self) { }
1821
}
1922

2023
pub trait Box {
2124
type Color;
22-
25+
//~^ NOTE ambiguous `Color` from `Box`
26+
//~| NOTE ambiguous `Color` from `Box`
27+
//~| NOTE ambiguous `Color` from `Box`
28+
//
2329
fn mail(&self) { }
2430
}
2531

@@ -29,24 +35,18 @@ pub trait BoxCar : Box + Vehicle {
2935
fn dent<C:BoxCar>(c: C, color: C::Color) {
3036
//~^ ERROR ambiguous associated type `Color` in bounds of `C`
3137
//~| NOTE ambiguous associated type `Color`
32-
//~| NOTE could derive from `Vehicle`
33-
//~| NOTE could derive from `Box`
3438
}
3539

3640
fn dent_object<COLOR>(c: BoxCar<Color=COLOR>) {
3741
//~^ ERROR ambiguous associated type
3842
//~| ERROR the value of the associated type `Color` (from the trait `Vehicle`) must be specified
3943
//~| NOTE ambiguous associated type `Color`
40-
//~| NOTE could derive from `Vehicle`
41-
//~| NOTE could derive from `Box`
4244
//~| NOTE missing associated type `Color` value
4345
}
4446

4547
fn paint<C:BoxCar>(c: C, d: C::Color) {
4648
//~^ ERROR ambiguous associated type `Color` in bounds of `C`
4749
//~| NOTE ambiguous associated type `Color`
48-
//~| NOTE could derive from `Vehicle`
49-
//~| NOTE could derive from `Box`
5050
}
5151

5252
pub fn main() { }

src/test/compile-fail/lint-unused-imports.rs

+8-8
Original file line numberDiff line numberDiff line change
@@ -17,19 +17,19 @@ use std::mem::*; // shouldn't get errors for not using
1717
// everything imported
1818

1919
// Should get errors for both 'Some' and 'None'
20-
use std::option::Option::{Some, None}; //~ ERROR unused import
21-
//~^ ERROR unused import
20+
use std::option::Option::{Some, None}; //~ ERROR unused import: `Some`
21+
//~^ ERROR unused import: `None`
2222

23-
use test::A; //~ ERROR unused import
23+
use test::A; //~ ERROR unused import: `test::A`
2424
// Be sure that if we just bring some methods into scope that they're also
2525
// counted as being used.
2626
use test::B;
2727
// But only when actually used: do not get confused by the method with the same name.
28-
use test::B2; //~ ERROR unused import
28+
use test::B2; //~ ERROR unused import: `test::B2`
2929

3030
// Make sure this import is warned about when at least one of its imported names
3131
// is unused
32-
use test2::{foo, bar}; //~ ERROR unused import
32+
use test2::{foo, bar}; //~ ERROR unused import: `bar`
3333

3434
mod test2 {
3535
pub fn foo() {}
@@ -57,7 +57,7 @@ mod bar {
5757

5858
pub mod c {
5959
use foo::Point;
60-
use foo::Square; //~ ERROR unused import
60+
use foo::Square; //~ ERROR unused import: `foo::Square`
6161
pub fn cc(_p: Point) -> super::Square {
6262
fn f() -> super::Square {
6363
super::Square
@@ -73,7 +73,7 @@ mod bar {
7373
}
7474

7575
fn g() {
76-
use self::g; //~ ERROR unused import
76+
use self::g; //~ ERROR unused import: `self::g`
7777
fn f() {
7878
self::g();
7979
}
@@ -82,7 +82,7 @@ fn g() {
8282
// c.f. issue #35135
8383
#[allow(unused_variables)]
8484
fn h() {
85-
use test2::foo; //~ ERROR unused import
85+
use test2::foo; //~ ERROR unused import: `test2::foo`
8686
let foo = 0;
8787
}
8888

0 commit comments

Comments
 (0)