Skip to content

Commit 38c53f3

Browse files
committed
Auto merge of #40651 - frewsxcv:rollup, r=frewsxcv
Rollup of 13 pull requests - Successful merges: #40441, #40445, #40562, #40564, #40583, #40588, #40589, #40590, #40603, #40611, #40621, #40646, #40648 - Failed merges:
2 parents 9c15de4 + 94e346b commit 38c53f3

File tree

23 files changed

+216
-28
lines changed

23 files changed

+216
-28
lines changed

src/bootstrap/clean.rs

+6-6
Original file line numberDiff line numberDiff line change
@@ -22,9 +22,9 @@ use std::path::Path;
2222
use Build;
2323

2424
pub fn clean(build: &Build) {
25-
rm_rf(build, "tmp".as_ref());
26-
rm_rf(build, &build.out.join("tmp"));
27-
rm_rf(build, &build.out.join("dist"));
25+
rm_rf("tmp".as_ref());
26+
rm_rf(&build.out.join("tmp"));
27+
rm_rf(&build.out.join("dist"));
2828

2929
for host in build.config.host.iter() {
3030
let entries = match build.out.join(host).read_dir() {
@@ -38,12 +38,12 @@ pub fn clean(build: &Build) {
3838
continue
3939
}
4040
let path = t!(entry.path().canonicalize());
41-
rm_rf(build, &path);
41+
rm_rf(&path);
4242
}
4343
}
4444
}
4545

46-
fn rm_rf(build: &Build, path: &Path) {
46+
fn rm_rf(path: &Path) {
4747
if !path.exists() {
4848
return
4949
}
@@ -55,7 +55,7 @@ fn rm_rf(build: &Build, path: &Path) {
5555
let file = t!(file).path();
5656

5757
if file.is_dir() {
58-
rm_rf(build, &file);
58+
rm_rf(&file);
5959
} else {
6060
// On windows we can't remove a readonly file, and git will
6161
// often clone files as readonly. As a result, we have some

src/doc/unstable-book/src/SUMMARY.md

+1
Original file line numberDiff line numberDiff line change
@@ -71,6 +71,7 @@
7171
- [repr_simd](repr-simd.md)
7272
- [rustc_attrs](rustc-attrs.md)
7373
- [rustc_diagnostic_macros](rustc-diagnostic-macros.md)
74+
- [rvalue_static_promotion](rvalue-static-promotion.md)
7475
- [sanitizer_runtime](sanitizer-runtime.md)
7576
- [simd](simd.md)
7677
- [simd_ffi](simd-ffi.md)
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
# `rvalue_static_promotion`
2+
3+
The tracking issue for this feature is: [#38865]
4+
5+
[#38865]: https://github.com/rust-lang/rust/issues/38865
6+
7+
------------------------
8+
9+
The `rvalue_static_promotion` feature allows directly creating `'static` references to
10+
constant `rvalue`s, which in particular allowing for more concise code in the common case
11+
in which a `'static` reference is all that's needed.
12+
13+
14+
## Examples
15+
16+
```rust
17+
#![feature(rvalue_static_promotion)]
18+
19+
fn main() {
20+
let DEFAULT_VALUE: &'static u32 = &42;
21+
assert_eq!(*DEFAULT_VALUE, 42);
22+
}
23+
```

src/libcollections/slice.rs

+8-8
Original file line numberDiff line numberDiff line change
@@ -230,7 +230,7 @@ impl<T> [T] {
230230
core_slice::SliceExt::first_mut(self)
231231
}
232232

233-
/// Returns the first and all the rest of the elements of a slice.
233+
/// Returns the first and all the rest of the elements of a slice, or `None` if it is empty.
234234
///
235235
/// # Examples
236236
///
@@ -248,7 +248,7 @@ impl<T> [T] {
248248
core_slice::SliceExt::split_first(self)
249249
}
250250

251-
/// Returns the first and all the rest of the elements of a slice.
251+
/// Returns the first and all the rest of the elements of a slice, or `None` if it is empty.
252252
///
253253
/// # Examples
254254
///
@@ -268,7 +268,7 @@ impl<T> [T] {
268268
core_slice::SliceExt::split_first_mut(self)
269269
}
270270

271-
/// Returns the last and all the rest of the elements of a slice.
271+
/// Returns the last and all the rest of the elements of a slice, or `None` if it is empty.
272272
///
273273
/// # Examples
274274
///
@@ -287,7 +287,7 @@ impl<T> [T] {
287287

288288
}
289289

290-
/// Returns the last and all the rest of the elements of a slice.
290+
/// Returns the last and all the rest of the elements of a slice, or `None` if it is empty.
291291
///
292292
/// # Examples
293293
///
@@ -437,8 +437,8 @@ impl<T> [T] {
437437
/// The caller must ensure that the slice outlives the pointer this
438438
/// function returns, or else it will end up pointing to garbage.
439439
///
440-
/// Modifying the slice may cause its buffer to be reallocated, which
441-
/// would also make any pointers to it invalid.
440+
/// Modifying the container referenced by this slice may cause its buffer
441+
/// to be reallocated, which would also make any pointers to it invalid.
442442
///
443443
/// # Examples
444444
///
@@ -463,8 +463,8 @@ impl<T> [T] {
463463
/// The caller must ensure that the slice outlives the pointer this
464464
/// function returns, or else it will end up pointing to garbage.
465465
///
466-
/// Modifying the slice may cause its buffer to be reallocated, which
467-
/// would also make any pointers to it invalid.
466+
/// Modifying the container referenced by this slice may cause its buffer
467+
/// to be reallocated, which would also make any pointers to it invalid.
468468
///
469469
/// # Examples
470470
///

src/librustc/middle/mem_categorization.rs

+17-3
Original file line numberDiff line numberDiff line change
@@ -195,6 +195,21 @@ pub struct cmt_<'tcx> {
195195
pub type cmt<'tcx> = Rc<cmt_<'tcx>>;
196196

197197
impl<'tcx> cmt_<'tcx> {
198+
pub fn get_def(&self) -> Option<ast::NodeId> {
199+
match self.cat {
200+
Categorization::Deref(ref cmt, ..) |
201+
Categorization::Interior(ref cmt, _) |
202+
Categorization::Downcast(ref cmt, _) => {
203+
if let Categorization::Local(nid) = cmt.cat {
204+
Some(nid)
205+
} else {
206+
None
207+
}
208+
}
209+
_ => None
210+
}
211+
}
212+
198213
pub fn get_field(&self, name: ast::Name) -> Option<DefId> {
199214
match self.cat {
200215
Categorization::Deref(ref cmt, ..) |
@@ -843,11 +858,10 @@ impl<'a, 'gcx, 'tcx> MemCategorizationContext<'a, 'gcx, 'tcx> {
843858
let promotable = self.tcx().rvalue_promotable_to_static.borrow().get(&id).cloned()
844859
.unwrap_or(false);
845860

846-
// Only promote `[T; 0]` before an RFC for rvalue promotions
847-
// is accepted.
861+
// When the corresponding feature isn't toggled, only promote `[T; 0]`.
848862
let promotable = match expr_ty.sty {
849863
ty::TyArray(_, 0) => true,
850-
_ => promotable & false
864+
_ => promotable && self.tcx().sess.features.borrow().rvalue_static_promotion,
851865
};
852866

853867
// Compute maximum lifetime of this rvalue. This is 'static if

src/librustc_borrowck/borrowck/mod.rs

+19
Original file line numberDiff line numberDiff line change
@@ -662,6 +662,7 @@ impl<'a, 'tcx> BorrowckCtxt<'a, 'tcx> {
662662
pub fn bckerr_to_diag(&self, err: &BckError<'tcx>) -> DiagnosticBuilder<'a> {
663663
let span = err.span.clone();
664664
let mut immutable_field = None;
665+
let mut local_def = None;
665666

666667
let msg = &match err.code {
667668
err_mutbl => {
@@ -711,6 +712,14 @@ impl<'a, 'tcx> BorrowckCtxt<'a, 'tcx> {
711712
}
712713
None
713714
});
715+
local_def = err.cmt.get_def()
716+
.and_then(|nid| {
717+
if !self.tcx.hir.is_argument(nid) {
718+
Some(self.tcx.hir.span(nid))
719+
} else {
720+
None
721+
}
722+
});
714723

715724
format!("cannot borrow {} as mutable", descr)
716725
}
@@ -741,6 +750,11 @@ impl<'a, 'tcx> BorrowckCtxt<'a, 'tcx> {
741750
if let Some((span, msg)) = immutable_field {
742751
db.span_label(span, &msg);
743752
}
753+
if let Some(let_span) = local_def {
754+
if let Ok(snippet) = self.tcx.sess.codemap().span_to_snippet(let_span) {
755+
db.span_label(let_span, &format!("consider changing this to `mut {}`", snippet));
756+
}
757+
}
744758
db
745759
}
746760

@@ -1109,6 +1123,11 @@ before rustc 1.16, this temporary lived longer - see issue #39283 \
11091123
} else {
11101124
db.span_label(*error_span, &format!("cannot borrow mutably"));
11111125
}
1126+
} else if let Categorization::Interior(ref cmt, _) = err.cmt.cat {
1127+
if let mc::MutabilityCategory::McImmutable = cmt.mutbl {
1128+
db.span_label(*error_span,
1129+
&"cannot mutably borrow immutable field");
1130+
}
11121131
}
11131132
}
11141133
}

src/librustc_resolve/build_reduced_graph.rs

+4-1
Original file line numberDiff line numberDiff line change
@@ -23,7 +23,7 @@ use {resolve_error, resolve_struct_error, ResolutionError};
2323

2424
use rustc::middle::cstore::LoadedMacro;
2525
use rustc::hir::def::*;
26-
use rustc::hir::def_id::{CrateNum, CRATE_DEF_INDEX, DefId};
26+
use rustc::hir::def_id::{CrateNum, BUILTIN_MACROS_CRATE, CRATE_DEF_INDEX, DefId};
2727
use rustc::ty;
2828

2929
use std::cell::Cell;
@@ -496,6 +496,9 @@ impl<'a> Resolver<'a> {
496496
let def_id = self.macro_defs[&expansion];
497497
if let Some(id) = self.definitions.as_local_node_id(def_id) {
498498
self.local_macro_def_scopes[&id]
499+
} else if def_id.krate == BUILTIN_MACROS_CRATE {
500+
// FIXME(jseyfried): This happens when `include!()`ing a `$crate::` path, c.f, #40469.
501+
self.graph_root
499502
} else {
500503
let module_def_id = ty::DefIdTree::parent(&*self, def_id).unwrap();
501504
self.get_extern_crate_root(module_def_id.krate)

src/librustdoc/clean/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1387,7 +1387,7 @@ impl<'tcx> Clean<Item> for ty::AssociatedItem {
13871387
decl: decl,
13881388
abi: sig.abi(),
13891389

1390-
// trait methods canot (currently, at least) be const
1390+
// trait methods cannot (currently, at least) be const
13911391
constness: hir::Constness::NotConst,
13921392
})
13931393
} else {

src/librustdoc/html/render.rs

+5-3
Original file line numberDiff line numberDiff line change
@@ -60,6 +60,7 @@ use rustc::middle::privacy::AccessLevels;
6060
use rustc::middle::stability;
6161
use rustc::hir;
6262
use rustc::util::nodemap::{FxHashMap, FxHashSet};
63+
use rustc::session::config::nightly_options::is_nightly_build;
6364
use rustc_data_structures::flock;
6465

6566
use clean::{self, AttributesExt, GetDefId, SelfTy, Mutability};
@@ -2316,9 +2317,10 @@ fn render_assoc_item(w: &mut fmt::Formatter,
23162317
}
23172318
};
23182319
// FIXME(#24111): remove when `const_fn` is stabilized
2319-
let vis_constness = match UnstableFeatures::from_environment() {
2320-
UnstableFeatures::Allow => constness,
2321-
_ => hir::Constness::NotConst
2320+
let vis_constness = if is_nightly_build() {
2321+
constness
2322+
} else {
2323+
hir::Constness::NotConst
23222324
};
23232325
let prefix = format!("{}{}{:#}fn {}{:#}",
23242326
ConstnessSpace(vis_constness),

src/libstd/collections/hash/map.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -222,8 +222,8 @@ const DISPLACEMENT_THRESHOLD: usize = 128;
222222
/// resistance against HashDoS attacks. The algorithm is randomly seeded, and a
223223
/// reasonable best-effort is made to generate this seed from a high quality,
224224
/// secure source of randomness provided by the host without blocking the
225-
/// program. Because of this, the randomness of the seed is dependant on the
226-
/// quality of the system's random number generator at the time it is created.
225+
/// program. Because of this, the randomness of the seed depends on the output
226+
/// quality of the system's random number generator when the seed is created.
227227
/// In particular, seeds generated when the system's entropy pool is abnormally
228228
/// low such as during system boot may be of a lower quality.
229229
///

src/libstd/net/ip.rs

+2
Original file line numberDiff line numberDiff line change
@@ -636,6 +636,7 @@ impl FromInner<c::in_addr> for Ipv4Addr {
636636

637637
#[stable(feature = "ip_u32", since = "1.1.0")]
638638
impl From<Ipv4Addr> for u32 {
639+
/// It performs the conversion in network order (big-endian).
639640
fn from(ip: Ipv4Addr) -> u32 {
640641
let ip = ip.octets();
641642
((ip[0] as u32) << 24) + ((ip[1] as u32) << 16) + ((ip[2] as u32) << 8) + (ip[3] as u32)
@@ -644,6 +645,7 @@ impl From<Ipv4Addr> for u32 {
644645

645646
#[stable(feature = "ip_u32", since = "1.1.0")]
646647
impl From<u32> for Ipv4Addr {
648+
/// It performs the conversion in network order (big-endian).
647649
fn from(ip: u32) -> Ipv4Addr {
648650
Ipv4Addr::new((ip >> 24) as u8, (ip >> 16) as u8, (ip >> 8) as u8, ip as u8)
649651
}

src/libstd/path.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1501,7 +1501,7 @@ impl Path {
15011501
/// assert_eq!(path.to_string_lossy(), "foo.txt");
15021502
/// ```
15031503
///
1504-
/// Had `os_str` contained invalid unicode, the `to_string_lossy` call might
1504+
/// Had `path` contained invalid unicode, the `to_string_lossy` call might
15051505
/// have returned `"fo�.txt"`.
15061506
#[stable(feature = "rust1", since = "1.0.0")]
15071507
pub fn to_string_lossy(&self) -> Cow<str> {

src/libstd/sync/mutex.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -132,7 +132,7 @@ unsafe impl<T: ?Sized + Send> Sync for Mutex<T> { }
132132
/// An RAII implementation of a "scoped lock" of a mutex. When this structure is
133133
/// dropped (falls out of scope), the lock will be unlocked.
134134
///
135-
/// The data protected by the mutex can be access through this guard via its
135+
/// The data protected by the mutex can be accessed through this guard via its
136136
/// [`Deref`] and [`DerefMut`] implementations.
137137
///
138138
/// This structure is created by the [`lock`] and [`try_lock`] methods on

src/libsyntax/feature_gate.rs

+3
Original file line numberDiff line numberDiff line change
@@ -342,6 +342,9 @@ declare_features! (
342342

343343
// Allows the `catch {...}` expression
344344
(active, catch_expr, "1.17.0", Some(31436)),
345+
346+
// See rust-lang/rfcs#1414. Allows code like `let x: &'static u32 = &42` to work.
347+
(active, rvalue_static_promotion, "1.15.1", Some(38865)),
345348
);
346349

347350
declare_features! (

src/libsyntax/parse/lexer/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -725,7 +725,7 @@ impl<'a> StringReader<'a> {
725725
base = 16;
726726
num_digits = self.scan_digits(16, 16);
727727
}
728-
'0'...'9' | '_' | '.' => {
728+
'0'...'9' | '_' | '.' | 'e' | 'E' => {
729729
num_digits = self.scan_digits(10, 10) + 1;
730730
}
731731
_ => {
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
// Copyright 2017 The Rust Project Developers. See the COPYRIGHT
2+
// file at the top-level directory of this distribution and at
3+
// http://rust-lang.org/COPYRIGHT.
4+
//
5+
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6+
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7+
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8+
// option. This file may not be copied, modified, or distributed
9+
// except according to those terms.
10+
11+
#[allow(unused_variables)]
12+
fn main() {
13+
let x: &'static u32 = &42; //~ error: does not live long enough
14+
let y: &'static Option<u32> = &None; //~ error: does not live long enough
15+
}
+11
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
// Copyright 2017 The Rust Project Developers. See the COPYRIGHT
2+
// file at the top-level directory of this distribution and at
3+
// http://rust-lang.org/COPYRIGHT.
4+
//
5+
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6+
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7+
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8+
// option. This file may not be copied, modified, or distributed
9+
// except according to those terms.
10+
11+
macro_rules! m { () => { $crate::main(); } }

src/test/run-pass/issue-34571.rs

+20
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,20 @@
1+
// Copyright 2017 The Rust Project Developers. See the COPYRIGHT
2+
// file at the top-level directory of this distribution and at
3+
// http://rust-lang.org/COPYRIGHT.
4+
//
5+
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6+
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7+
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8+
// option. This file may not be copied, modified, or distributed
9+
// except according to those terms.
10+
11+
#[repr(u8)]
12+
enum Foo {
13+
Foo(u8),
14+
}
15+
16+
fn main() {
17+
match Foo::Foo(1) {
18+
_ => ()
19+
}
20+
}

src/test/run-pass/issue-40408.rs

+16
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,16 @@
1+
// Copyright 2017 The Rust Project Developers. See the COPYRIGHT
2+
// file at the top-level directory of this distribution and at
3+
// http://rust-lang.org/COPYRIGHT.
4+
//
5+
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6+
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7+
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8+
// option. This file may not be copied, modified, or distributed
9+
// except according to those terms.
10+
11+
fn main() {
12+
println!("{}", 0E+10);
13+
println!("{}", 0e+10);
14+
println!("{}", 00e+10);
15+
println!("{}", 00E+10);
16+
}

0 commit comments

Comments
 (0)