Skip to content

Commit da32752

Browse files
committed
Auto merge of #41237 - frewsxcv:rollup, r=frewsxcv
Rollup of 8 pull requests - Successful merges: #40377, #40559, #41173, #41202, #41204, #41209, #41216, #41231 - Failed merges:
2 parents f8107c0 + 72538de commit da32752

File tree

33 files changed

+399
-131
lines changed

33 files changed

+399
-131
lines changed

src/bootstrap/native.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -147,7 +147,7 @@ pub fn llvm(build: &Build, target: &str) {
147147
}
148148

149149
if env::var_os("SCCACHE_ERROR_LOG").is_some() {
150-
cfg.env("RUST_LOG", "sccache=debug");
150+
cfg.env("RUST_LOG", "sccache=info");
151151
}
152152

153153
// FIXME: we don't actually need to build all LLVM tools and all LLVM

src/ci/docker/run.sh

-1
Original file line numberDiff line numberDiff line change
@@ -38,7 +38,6 @@ if [ "$SCCACHE_BUCKET" != "" ]; then
3838
args="$args --env AWS_ACCESS_KEY_ID=$AWS_ACCESS_KEY_ID"
3939
args="$args --env AWS_SECRET_ACCESS_KEY=$AWS_SECRET_ACCESS_KEY"
4040
args="$args --env SCCACHE_ERROR_LOG=/tmp/sccache/sccache.log"
41-
args="$args --env SCCACHE_LOG_LEVEL=debug"
4241
args="$args --volume $objdir/tmp:/tmp/sccache"
4342
else
4443
mkdir -p $HOME/.cache/sccache

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

+1
Original file line numberDiff line numberDiff line change
@@ -114,6 +114,7 @@
114114
- [loop_break_value](loop-break-value.md)
115115
- [macro_reexport](macro-reexport.md)
116116
- [main](main.md)
117+
- [manually_drop](manually-drop.md)
117118
- [map_entry_recover_keys](map-entry-recover-keys.md)
118119
- [mpsc_select](mpsc-select.md)
119120
- [n16](n16.md)

src/doc/unstable-book/src/manually-drop.md

Whitespace-only changes.

src/libcollections/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,7 @@
4444
#![feature(heap_api)]
4545
#![feature(inclusive_range)]
4646
#![feature(lang_items)]
47+
#![feature(manually_drop)]
4748
#![feature(nonzero)]
4849
#![feature(pattern)]
4950
#![feature(placement_in)]

src/libcollections/slice.rs

+3-9
Original file line numberDiff line numberDiff line change
@@ -1558,7 +1558,7 @@ fn insert_head<T, F>(v: &mut [T], is_less: &mut F)
15581558
// performance than with the 2nd method.
15591559
//
15601560
// All methods were benchmarked, and the 3rd showed best results. So we chose that one.
1561-
let mut tmp = NoDrop { value: ptr::read(&v[0]) };
1561+
let mut tmp = mem::ManuallyDrop::new(ptr::read(&v[0]));
15621562

15631563
// Intermediate state of the insertion process is always tracked by `hole`, which
15641564
// serves two purposes:
@@ -1571,13 +1571,13 @@ fn insert_head<T, F>(v: &mut [T], is_less: &mut F)
15711571
// fill the hole in `v` with `tmp`, thus ensuring that `v` still holds every object it
15721572
// initially held exactly once.
15731573
let mut hole = InsertionHole {
1574-
src: &mut tmp.value,
1574+
src: &mut *tmp,
15751575
dest: &mut v[1],
15761576
};
15771577
ptr::copy_nonoverlapping(&v[1], &mut v[0], 1);
15781578

15791579
for i in 2..v.len() {
1580-
if !is_less(&v[i], &tmp.value) {
1580+
if !is_less(&v[i], &*tmp) {
15811581
break;
15821582
}
15831583
ptr::copy_nonoverlapping(&v[i], &mut v[i - 1], 1);
@@ -1587,12 +1587,6 @@ fn insert_head<T, F>(v: &mut [T], is_less: &mut F)
15871587
}
15881588
}
15891589

1590-
// Holds a value, but never drops it.
1591-
#[allow(unions_with_drop_fields)]
1592-
union NoDrop<T> {
1593-
value: T
1594-
}
1595-
15961590
// When dropped, copies from `src` into `dest`.
15971591
struct InsertionHole<T> {
15981592
src: *mut T,

src/libcore/intrinsics.rs

-3
Original file line numberDiff line numberDiff line change
@@ -691,9 +691,6 @@ extern "rust-intrinsic" {
691691
/// initialize memory previous set to the result of `uninit`.
692692
pub fn uninit<T>() -> T;
693693

694-
/// Moves a value out of scope without running drop glue.
695-
pub fn forget<T>(_: T) -> ();
696-
697694
/// Reinterprets the bits of a value of one type as another type.
698695
///
699696
/// Both types must have the same size. Neither the original, nor the result,

src/libcore/iter/iterator.rs

+6-2
Original file line numberDiff line numberDiff line change
@@ -1532,14 +1532,18 @@ pub trait Iterator {
15321532
/// Stopping at the first `true`:
15331533
///
15341534
/// ```
1535-
/// let a = [1, 2, 3];
1535+
/// let a = [1, 2, 3, 4];
15361536
///
15371537
/// let mut iter = a.iter();
15381538
///
1539-
/// assert_eq!(iter.position(|&x| x == 2), Some(1));
1539+
/// assert_eq!(iter.position(|&x| x >= 2), Some(1));
15401540
///
15411541
/// // we can still use `iter`, as there are more elements.
15421542
/// assert_eq!(iter.next(), Some(&3));
1543+
///
1544+
/// // The returned index depends on iterator state
1545+
/// assert_eq!(iter.position(|&x| x == 4), Some(0));
1546+
///
15431547
/// ```
15441548
#[inline]
15451549
#[stable(feature = "rust1", since = "1.0.0")]

src/libcore/mem.rs

+119-1
Original file line numberDiff line numberDiff line change
@@ -171,7 +171,7 @@ pub use intrinsics::transmute;
171171
#[inline]
172172
#[stable(feature = "rust1", since = "1.0.0")]
173173
pub fn forget<T>(t: T) {
174-
unsafe { intrinsics::forget(t) }
174+
ManuallyDrop::new(t);
175175
}
176176

177177
/// Returns the size of a type in bytes.
@@ -736,3 +736,121 @@ pub fn discriminant<T>(v: &T) -> Discriminant<T> {
736736
}
737737
}
738738

739+
740+
/// A wrapper to inhibit compiler from automatically calling `T`’s destructor.
741+
///
742+
/// This wrapper is 0-cost.
743+
///
744+
/// # Examples
745+
///
746+
/// This wrapper helps with explicitly documenting the drop order dependencies between fields of
747+
/// the type:
748+
///
749+
/// ```rust
750+
/// # #![feature(manually_drop)]
751+
/// use std::mem::ManuallyDrop;
752+
/// struct Peach;
753+
/// struct Banana;
754+
/// struct Melon;
755+
/// struct FruitBox {
756+
/// // Immediately clear there’s something non-trivial going on with these fields.
757+
/// peach: ManuallyDrop<Peach>,
758+
/// melon: Melon, // Field that’s independent of the other two.
759+
/// banana: ManuallyDrop<Banana>,
760+
/// }
761+
///
762+
/// impl Drop for FruitBox {
763+
/// fn drop(&mut self) {
764+
/// unsafe {
765+
/// // Explicit ordering in which field destructors are run specified in the intuitive
766+
/// // location – the destructor of the structure containing the fields.
767+
/// // Moreover, one can now reorder fields within the struct however much they want.
768+
/// ManuallyDrop::drop(&mut self.peach);
769+
/// ManuallyDrop::drop(&mut self.banana);
770+
/// }
771+
/// // After destructor for `FruitBox` runs (this function), the destructor for Melon gets
772+
/// // invoked in the usual manner, as it is not wrapped in `ManuallyDrop`.
773+
/// }
774+
/// }
775+
/// ```
776+
#[unstable(feature = "manually_drop", issue = "40673")]
777+
#[allow(unions_with_drop_fields)]
778+
pub union ManuallyDrop<T>{ value: T }
779+
780+
impl<T> ManuallyDrop<T> {
781+
/// Wrap a value to be manually dropped.
782+
///
783+
/// # Examples
784+
///
785+
/// ```rust
786+
/// # #![feature(manually_drop)]
787+
/// use std::mem::ManuallyDrop;
788+
/// ManuallyDrop::new(Box::new(()));
789+
/// ```
790+
#[unstable(feature = "manually_drop", issue = "40673")]
791+
#[inline]
792+
pub fn new(value: T) -> ManuallyDrop<T> {
793+
ManuallyDrop { value: value }
794+
}
795+
796+
/// Extract the value from the ManuallyDrop container.
797+
///
798+
/// # Examples
799+
///
800+
/// ```rust
801+
/// # #![feature(manually_drop)]
802+
/// use std::mem::ManuallyDrop;
803+
/// let x = ManuallyDrop::new(Box::new(()));
804+
/// let _: Box<()> = ManuallyDrop::into_inner(x);
805+
/// ```
806+
#[unstable(feature = "manually_drop", issue = "40673")]
807+
#[inline]
808+
pub fn into_inner(slot: ManuallyDrop<T>) -> T {
809+
unsafe {
810+
slot.value
811+
}
812+
}
813+
814+
/// Manually drops the contained value.
815+
///
816+
/// # Unsafety
817+
///
818+
/// This function runs the destructor of the contained value and thus the wrapped value
819+
/// now represents uninitialized data. It is up to the user of this method to ensure the
820+
/// uninitialized data is not actually used.
821+
#[unstable(feature = "manually_drop", issue = "40673")]
822+
#[inline]
823+
pub unsafe fn drop(slot: &mut ManuallyDrop<T>) {
824+
ptr::drop_in_place(&mut slot.value)
825+
}
826+
}
827+
828+
#[unstable(feature = "manually_drop", issue = "40673")]
829+
impl<T> ::ops::Deref for ManuallyDrop<T> {
830+
type Target = T;
831+
#[inline]
832+
fn deref(&self) -> &Self::Target {
833+
unsafe {
834+
&self.value
835+
}
836+
}
837+
}
838+
839+
#[unstable(feature = "manually_drop", issue = "40673")]
840+
impl<T> ::ops::DerefMut for ManuallyDrop<T> {
841+
#[inline]
842+
fn deref_mut(&mut self) -> &mut Self::Target {
843+
unsafe {
844+
&mut self.value
845+
}
846+
}
847+
}
848+
849+
#[unstable(feature = "manually_drop", issue = "40673")]
850+
impl<T: ::fmt::Debug> ::fmt::Debug for ManuallyDrop<T> {
851+
fn fmt(&self, fmt: &mut ::fmt::Formatter) -> ::fmt::Result {
852+
unsafe {
853+
fmt.debug_tuple("ManuallyDrop").field(&self.value).finish()
854+
}
855+
}
856+
}

src/libcore/slice/sort.rs

+12-18
Original file line numberDiff line numberDiff line change
@@ -20,12 +20,6 @@ use cmp;
2020
use mem;
2121
use ptr;
2222

23-
/// Holds a value, but never drops it.
24-
#[allow(unions_with_drop_fields)]
25-
union NoDrop<T> {
26-
value: T
27-
}
28-
2923
/// When dropped, copies from `src` into `dest`.
3024
struct CopyOnDrop<T> {
3125
src: *mut T,
@@ -49,15 +43,15 @@ fn shift_head<T, F>(v: &mut [T], is_less: &mut F)
4943
// Read the first element into a stack-allocated variable. If a following comparison
5044
// operation panics, `hole` will get dropped and automatically write the element back
5145
// into the slice.
52-
let mut tmp = NoDrop { value: ptr::read(v.get_unchecked(0)) };
46+
let mut tmp = mem::ManuallyDrop::new(ptr::read(v.get_unchecked(0)));
5347
let mut hole = CopyOnDrop {
54-
src: &mut tmp.value,
48+
src: &mut *tmp,
5549
dest: v.get_unchecked_mut(1),
5650
};
5751
ptr::copy_nonoverlapping(v.get_unchecked(1), v.get_unchecked_mut(0), 1);
5852

5953
for i in 2..len {
60-
if !is_less(v.get_unchecked(i), &tmp.value) {
54+
if !is_less(v.get_unchecked(i), &*tmp) {
6155
break;
6256
}
6357

@@ -81,15 +75,15 @@ fn shift_tail<T, F>(v: &mut [T], is_less: &mut F)
8175
// Read the last element into a stack-allocated variable. If a following comparison
8276
// operation panics, `hole` will get dropped and automatically write the element back
8377
// into the slice.
84-
let mut tmp = NoDrop { value: ptr::read(v.get_unchecked(len - 1)) };
78+
let mut tmp = mem::ManuallyDrop::new(ptr::read(v.get_unchecked(len - 1)));
8579
let mut hole = CopyOnDrop {
86-
src: &mut tmp.value,
80+
src: &mut *tmp,
8781
dest: v.get_unchecked_mut(len - 2),
8882
};
8983
ptr::copy_nonoverlapping(v.get_unchecked(len - 2), v.get_unchecked_mut(len - 1), 1);
9084

9185
for i in (0..len-2).rev() {
92-
if !is_less(&tmp.value, v.get_unchecked(i)) {
86+
if !is_less(&*tmp, v.get_unchecked(i)) {
9387
break;
9488
}
9589

@@ -403,12 +397,12 @@ fn partition<T, F>(v: &mut [T], pivot: usize, is_less: &mut F) -> (usize, bool)
403397

404398
// Read the pivot into a stack-allocated variable for efficiency. If a following comparison
405399
// operation panics, the pivot will be automatically written back into the slice.
406-
let mut tmp = NoDrop { value: unsafe { ptr::read(pivot) } };
400+
let mut tmp = mem::ManuallyDrop::new(unsafe { ptr::read(pivot) });
407401
let _pivot_guard = CopyOnDrop {
408-
src: unsafe { &mut tmp.value },
402+
src: &mut *tmp,
409403
dest: pivot,
410404
};
411-
let pivot = unsafe { &tmp.value };
405+
let pivot = &*tmp;
412406

413407
// Find the first pair of out-of-order elements.
414408
let mut l = 0;
@@ -452,12 +446,12 @@ fn partition_equal<T, F>(v: &mut [T], pivot: usize, is_less: &mut F) -> usize
452446

453447
// Read the pivot into a stack-allocated variable for efficiency. If a following comparison
454448
// operation panics, the pivot will be automatically written back into the slice.
455-
let mut tmp = NoDrop { value: unsafe { ptr::read(pivot) } };
449+
let mut tmp = mem::ManuallyDrop::new(unsafe { ptr::read(pivot) });
456450
let _pivot_guard = CopyOnDrop {
457-
src: unsafe { &mut tmp.value },
451+
src: &mut *tmp,
458452
dest: pivot,
459453
};
460-
let pivot = unsafe { &tmp.value };
454+
let pivot = &*tmp;
461455

462456
// Now partition the slice.
463457
let mut l = 0;

src/librustc/session/config.rs

+24
Original file line numberDiff line numberDiff line change
@@ -643,6 +643,8 @@ macro_rules! options {
643643
Some("one of: `address`, `leak`, `memory` or `thread`");
644644
pub const parse_linker_flavor: Option<&'static str> =
645645
Some(::rustc_back::LinkerFlavor::one_of());
646+
pub const parse_optimization_fuel: Option<&'static str> =
647+
Some("crate=integer");
646648
}
647649

648650
#[allow(dead_code)]
@@ -787,6 +789,21 @@ macro_rules! options {
787789
}
788790
true
789791
}
792+
793+
fn parse_optimization_fuel(slot: &mut Option<(String, u64)>, v: Option<&str>) -> bool {
794+
match v {
795+
None => false,
796+
Some(s) => {
797+
let parts = s.split('=').collect::<Vec<_>>();
798+
if parts.len() != 2 { return false; }
799+
let crate_name = parts[0].to_string();
800+
let fuel = parts[1].parse::<u64>();
801+
if fuel.is_err() { return false; }
802+
*slot = Some((crate_name, fuel.unwrap()));
803+
true
804+
}
805+
}
806+
}
790807
}
791808
) }
792809

@@ -991,6 +1008,10 @@ options! {DebuggingOptions, DebuggingSetter, basic_debugging_options,
9911008
"Use a sanitizer"),
9921009
linker_flavor: Option<LinkerFlavor> = (None, parse_linker_flavor, [UNTRACKED],
9931010
"Linker flavor"),
1011+
fuel: Option<(String, u64)> = (None, parse_optimization_fuel, [TRACKED],
1012+
"Set the optimization fuel quota for a crate."),
1013+
print_fuel: Option<String> = (None, parse_opt_string, [TRACKED],
1014+
"Make Rustc print the total optimization fuel used by a crate."),
9941015
}
9951016

9961017
pub fn default_lib_output() -> CrateType {
@@ -1784,11 +1805,13 @@ mod dep_tracking {
17841805

17851806
impl_dep_tracking_hash_via_hash!(bool);
17861807
impl_dep_tracking_hash_via_hash!(usize);
1808+
impl_dep_tracking_hash_via_hash!(u64);
17871809
impl_dep_tracking_hash_via_hash!(String);
17881810
impl_dep_tracking_hash_via_hash!(lint::Level);
17891811
impl_dep_tracking_hash_via_hash!(Option<bool>);
17901812
impl_dep_tracking_hash_via_hash!(Option<usize>);
17911813
impl_dep_tracking_hash_via_hash!(Option<String>);
1814+
impl_dep_tracking_hash_via_hash!(Option<(String, u64)>);
17921815
impl_dep_tracking_hash_via_hash!(Option<PanicStrategy>);
17931816
impl_dep_tracking_hash_via_hash!(Option<lint::Level>);
17941817
impl_dep_tracking_hash_via_hash!(Option<PathBuf>);
@@ -1810,6 +1833,7 @@ mod dep_tracking {
18101833
impl_dep_tracking_hash_for_sortable_vec_of!((String, lint::Level));
18111834
impl_dep_tracking_hash_for_sortable_vec_of!((String, Option<String>,
18121835
Option<cstore::NativeLibraryKind>));
1836+
impl_dep_tracking_hash_for_sortable_vec_of!((String, u64));
18131837
impl DepTrackingHash for SearchPaths {
18141838
fn hash(&self, hasher: &mut DefaultHasher, _: ErrorOutputType) {
18151839
let mut elems: Vec<_> = self

0 commit comments

Comments
 (0)