Skip to content

Commit e72b4a3

Browse files
committedNov 15, 2019
Auto merge of #66059 - RalfJung:panic-on-non-zero, r=<try>
mem::zeroed/uninit: panic on types that do not permit zero-initialization r? @eddyb @oli-obk Cc #62825
2 parents 1bd30ce + cd69b0a commit e72b4a3

File tree

10 files changed

+303
-139
lines changed

10 files changed

+303
-139
lines changed
 

‎src/libcore/intrinsics.rs

+10
Original file line numberDiff line numberDiff line change
@@ -696,6 +696,16 @@ extern "rust-intrinsic" {
696696
/// This will statically either panic, or do nothing.
697697
pub fn panic_if_uninhabited<T>();
698698

699+
/// A guard for unsafe functions that cannot ever be executed if `T` does not permit
700+
/// zero-initialization: This will statically either panic, or do nothing.
701+
#[cfg(not(bootstrap))]
702+
pub fn panic_if_zero_invalid<T>();
703+
704+
/// A guard for unsafe functions that cannot ever be executed if `T` has invalid
705+
/// bit patterns: This will statically either panic, or do nothing.
706+
#[cfg(not(bootstrap))]
707+
pub fn panic_if_any_invalid<T>();
708+
699709
/// Gets a reference to a static `Location` indicating where it was called.
700710
pub fn caller_location() -> &'static crate::panic::Location<'static>;
701711

‎src/libcore/mem/mod.rs

+6
Original file line numberDiff line numberDiff line change
@@ -470,6 +470,9 @@ pub const fn needs_drop<T>() -> bool {
470470
#[allow(deprecated)]
471471
#[cfg_attr(all(not(bootstrap)), rustc_diagnostic_item = "mem_zeroed")]
472472
pub unsafe fn zeroed<T>() -> T {
473+
#[cfg(not(bootstrap))]
474+
intrinsics::panic_if_zero_invalid::<T>();
475+
#[cfg(bootstrap)]
473476
intrinsics::panic_if_uninhabited::<T>();
474477
intrinsics::init()
475478
}
@@ -499,6 +502,9 @@ pub unsafe fn zeroed<T>() -> T {
499502
#[allow(deprecated)]
500503
#[cfg_attr(all(not(bootstrap)), rustc_diagnostic_item = "mem_uninitialized")]
501504
pub unsafe fn uninitialized<T>() -> T {
505+
#[cfg(not(bootstrap))]
506+
intrinsics::panic_if_any_invalid::<T>();
507+
#[cfg(bootstrap)]
502508
intrinsics::panic_if_uninhabited::<T>();
503509
intrinsics::uninit()
504510
}

‎src/librustc/ty/layout.rs

-30
Original file line numberDiff line numberDiff line change
@@ -1910,36 +1910,6 @@ impl<'tcx, T: HasTyCtxt<'tcx>> HasTyCtxt<'tcx> for LayoutCx<'tcx, T> {
19101910
}
19111911
}
19121912

1913-
pub trait MaybeResult<T> {
1914-
type Error;
1915-
1916-
fn from(x: Result<T, Self::Error>) -> Self;
1917-
fn to_result(self) -> Result<T, Self::Error>;
1918-
}
1919-
1920-
impl<T> MaybeResult<T> for T {
1921-
type Error = !;
1922-
1923-
fn from(x: Result<T, Self::Error>) -> Self {
1924-
let Ok(x) = x;
1925-
x
1926-
}
1927-
fn to_result(self) -> Result<T, Self::Error> {
1928-
Ok(self)
1929-
}
1930-
}
1931-
1932-
impl<T, E> MaybeResult<T> for Result<T, E> {
1933-
type Error = E;
1934-
1935-
fn from(x: Result<T, Self::Error>) -> Self {
1936-
x
1937-
}
1938-
fn to_result(self) -> Result<T, Self::Error> {
1939-
self
1940-
}
1941-
}
1942-
19431913
pub type TyLayout<'tcx> = ::rustc_target::abi::TyLayout<'tcx, Ty<'tcx>>;
19441914

19451915
impl<'tcx> LayoutOf for LayoutCx<'tcx, TyCtxt<'tcx>> {

‎src/librustc_codegen_ssa/mir/block.rs

+30-3
Original file line numberDiff line numberDiff line change
@@ -544,15 +544,42 @@ impl<'a, 'tcx, Bx: BuilderMethods<'a, 'tcx>> FunctionCx<'a, 'tcx, Bx> {
544544
}
545545

546546
// Emit a panic or a no-op for `panic_if_uninhabited`.
547-
if intrinsic == Some("panic_if_uninhabited") {
547+
// These are intrinsics that compile to panics so that we can get a message
548+
// which mentions the offending type, even from a const context.
549+
#[derive(Debug, PartialEq)]
550+
enum PanicIntrinsic { IfUninhabited, IfZeroInvalid, IfAnyInvalid };
551+
let panic_intrinsic = intrinsic.and_then(|i| match i {
552+
// FIXME: Move to symbols instead of strings.
553+
"panic_if_uninhabited" => Some(PanicIntrinsic::IfUninhabited),
554+
"panic_if_zero_invalid" => Some(PanicIntrinsic::IfZeroInvalid),
555+
"panic_if_any_invalid" => Some(PanicIntrinsic::IfAnyInvalid),
556+
_ => None
557+
});
558+
if let Some(intrinsic) = panic_intrinsic {
559+
use PanicIntrinsic::*;
548560
let ty = instance.unwrap().substs.type_at(0);
549561
let layout = bx.layout_of(ty);
550-
if layout.abi.is_uninhabited() {
551-
let msg_str = format!("Attempted to instantiate uninhabited type {}", ty);
562+
let do_panic = match intrinsic {
563+
IfUninhabited => layout.abi.is_uninhabited(),
564+
IfZeroInvalid => // We unwrap as the error type is `!`.
565+
!layout.might_permit_raw_init(&bx, /*zero:*/ true).unwrap(),
566+
IfAnyInvalid => // We unwrap as the error type is `!`.
567+
!layout.might_permit_raw_init(&bx, /*zero:*/ false).unwrap(),
568+
};
569+
if do_panic {
570+
let msg_str = if layout.abi.is_uninhabited() {
571+
// Use this error even for the other intrinsics as it is more precise.
572+
format!("attempted to instantiate uninhabited type `{}`", ty)
573+
} else if intrinsic == IfZeroInvalid {
574+
format!("attempted to zero-initialize type `{}`, which is invalid", ty)
575+
} else {
576+
format!("attempted to leave type `{}` uninitialized, which is invalid", ty)
577+
};
552578
let msg = bx.const_str(Symbol::intern(&msg_str));
553579
let location = self.get_caller_location(&mut bx, span).immediate();
554580

555581
// Obtain the panic entry point.
582+
// FIXME: dedup this with `codegen_assert_terminator` above.
556583
let def_id =
557584
common::langcall(bx.tcx(), Some(span), "", lang_items::PanicFnLangItem);
558585
let instance = ty::Instance::mono(bx.tcx(), def_id);

‎src/librustc_index/vec.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -182,12 +182,12 @@ macro_rules! newtype_index {
182182
impl Idx for $type {
183183
#[inline]
184184
fn new(value: usize) -> Self {
185-
Self::from(value)
185+
Self::from_usize(value)
186186
}
187187

188188
#[inline]
189189
fn index(self) -> usize {
190-
usize::from(self)
190+
self.as_usize()
191191
}
192192
}
193193

@@ -400,7 +400,7 @@ macro_rules! newtype_index {
400400
(@decodable $type:ident) => (
401401
impl ::rustc_serialize::Decodable for $type {
402402
fn decode<D: ::rustc_serialize::Decoder>(d: &mut D) -> Result<Self, D::Error> {
403-
d.read_u32().map(Self::from)
403+
d.read_u32().map(Self::from_u32)
404404
}
405405
}
406406
);

‎src/librustc_target/abi/mod.rs

+123
Original file line numberDiff line numberDiff line change
@@ -956,6 +956,7 @@ impl<'a, Ty> Deref for TyLayout<'a, Ty> {
956956
}
957957
}
958958

959+
/// Trait for context types that can compute layouts of things.
959960
pub trait LayoutOf {
960961
type Ty;
961962
type TyLayout;
@@ -966,6 +967,39 @@ pub trait LayoutOf {
966967
}
967968
}
968969

970+
/// The `TyLayout` above will always be a `MaybeResult<TyLayout<'_, Self>>`.
971+
/// We can't add the bound due to the lifetime, but this trait is still useful when
972+
/// writing code that's generic over the `LayoutOf` impl.
973+
pub trait MaybeResult<T> {
974+
type Error;
975+
976+
fn from(x: Result<T, Self::Error>) -> Self;
977+
fn to_result(self) -> Result<T, Self::Error>;
978+
}
979+
980+
impl<T> MaybeResult<T> for T {
981+
type Error = !;
982+
983+
fn from(x: Result<T, Self::Error>) -> Self {
984+
let Ok(x) = x;
985+
x
986+
}
987+
fn to_result(self) -> Result<T, Self::Error> {
988+
Ok(self)
989+
}
990+
}
991+
992+
impl<T, E> MaybeResult<T> for Result<T, E> {
993+
type Error = E;
994+
995+
fn from(x: Result<T, Self::Error>) -> Self {
996+
x
997+
}
998+
fn to_result(self) -> Result<T, Self::Error> {
999+
self
1000+
}
1001+
}
1002+
9691003
#[derive(Copy, Clone, PartialEq, Eq)]
9701004
pub enum PointerKind {
9711005
/// Most general case, we know no restrictions to tell LLVM.
@@ -1007,10 +1041,14 @@ impl<'a, Ty> TyLayout<'a, Ty> {
10071041
where Ty: TyLayoutMethods<'a, C>, C: LayoutOf<Ty = Ty> {
10081042
Ty::for_variant(self, cx, variant_index)
10091043
}
1044+
1045+
/// Callers might want to use `C: LayoutOf<Ty=Ty, TyLayout: MaybeResult<Self>>`
1046+
/// to allow recursion (see `might_permit_zero_init` below for an example).
10101047
pub fn field<C>(self, cx: &C, i: usize) -> C::TyLayout
10111048
where Ty: TyLayoutMethods<'a, C>, C: LayoutOf<Ty = Ty> {
10121049
Ty::field(self, cx, i)
10131050
}
1051+
10141052
pub fn pointee_info_at<C>(self, cx: &C, offset: Size) -> Option<PointeeInfo>
10151053
where Ty: TyLayoutMethods<'a, C>, C: LayoutOf<Ty = Ty> {
10161054
Ty::pointee_info_at(self, cx, offset)
@@ -1033,4 +1071,89 @@ impl<'a, Ty> TyLayout<'a, Ty> {
10331071
Abi::Aggregate { sized } => sized && self.size.bytes() == 0
10341072
}
10351073
}
1074+
1075+
/// Determines if this type permits "raw" initialization by just transmuting some
1076+
/// memory into an instance of `T`.
1077+
/// `zero` indicates if the memory is zero-initialized, or alternatively
1078+
/// left entirely uninitialized.
1079+
/// This is conservative: in doubt, it will answer `true`.
1080+
pub fn might_permit_raw_init<C, E>(
1081+
self,
1082+
cx: &C,
1083+
zero: bool,
1084+
) -> Result<bool, E>
1085+
where
1086+
Self: Copy,
1087+
Ty: TyLayoutMethods<'a, C>,
1088+
C: LayoutOf<Ty = Ty, TyLayout: MaybeResult<Self, Error = E>> + HasDataLayout
1089+
{
1090+
let scalar_allows_raw_init = move |s: &Scalar| -> bool {
1091+
if zero {
1092+
let range = &s.valid_range;
1093+
// The range must contain 0.
1094+
range.contains(&0) ||
1095+
(*range.start() > *range.end()) // wrap-around allows 0
1096+
} else {
1097+
// The range must include all values. `valid_range_exclusive` handles
1098+
// the wrap-around using target arithmetic; with wrap-around then the full
1099+
// range is one where `start == end`.
1100+
let range = s.valid_range_exclusive(cx);
1101+
range.start == range.end
1102+
}
1103+
};
1104+
1105+
// Abi is the most informative here.
1106+
let res = match &self.abi {
1107+
Abi::Uninhabited => false, // definitely UB
1108+
Abi::Scalar(s) => scalar_allows_raw_init(s),
1109+
Abi::ScalarPair(s1, s2) =>
1110+
scalar_allows_raw_init(s1) && scalar_allows_raw_init(s2),
1111+
Abi::Vector { element: s, count } =>
1112+
*count == 0 || scalar_allows_raw_init(s),
1113+
Abi::Aggregate { .. } => {
1114+
match self.variants {
1115+
Variants::Multiple { .. } =>
1116+
if zero {
1117+
// FIXME(#66151):
1118+
// could we identify the variant with discriminant 0, check that?
1119+
true
1120+
} else {
1121+
// FIXME(#66151): This needs to have some sort of discriminant,
1122+
// which cannot be undef. But for now we are conservative.
1123+
true
1124+
},
1125+
Variants::Single { .. } => {
1126+
// For aggregates, recurse.
1127+
match self.fields {
1128+
FieldPlacement::Union(..) => true, // An all-0 unit is fine.
1129+
FieldPlacement::Array { .. } =>
1130+
// FIXME(#66151): The widely use smallvec 0.6 creates uninit arrays
1131+
// with any element type, so let us not (yet) complain about that.
1132+
/* count == 0 ||
1133+
self.field(cx, 0).to_result()?.might_permit_raw_init(cx, zero)? */
1134+
true,
1135+
FieldPlacement::Arbitrary { .. } => {
1136+
// FIXME(#66151) cargo depends on sized-chunks 0.3.0 which
1137+
// has some illegal zero-initialization, so let us not (yet)
1138+
// complain about aggregates either.
1139+
/* let mut res = true;
1140+
// Check that all fields accept zero-init.
1141+
for idx in 0..offsets.len() {
1142+
let field = self.field(cx, idx).to_result()?;
1143+
if !field.might_permit_raw_init(cx, zero)? {
1144+
res = false;
1145+
break;
1146+
}
1147+
}
1148+
res */
1149+
true
1150+
}
1151+
}
1152+
}
1153+
}
1154+
}
1155+
};
1156+
trace!("might_permit_raw_init({:?}, zero={}) = {}", self.details, zero, res);
1157+
Ok(res)
1158+
}
10361159
}

‎src/librustc_target/lib.rs

+3
Original file line numberDiff line numberDiff line change
@@ -12,6 +12,9 @@
1212
#![feature(box_syntax)]
1313
#![feature(nll)]
1414
#![feature(slice_patterns)]
15+
#![feature(never_type)]
16+
#![feature(associated_type_bounds)]
17+
#![feature(exhaustive_patterns)]
1518

1619
#[macro_use] extern crate log;
1720

‎src/librustc_typeck/check/intrinsic.rs

+4-1
Original file line numberDiff line numberDiff line change
@@ -157,7 +157,10 @@ pub fn check_intrinsic_type(tcx: TyCtxt<'_>, it: &hir::ForeignItem) {
157157
.subst(tcx, tcx.mk_substs([tcx.lifetimes.re_static.into()].iter())),
158158
),
159159
),
160-
"panic_if_uninhabited" => (1, Vec::new(), tcx.mk_unit()),
160+
"panic_if_uninhabited" |
161+
"panic_if_zero_invalid" |
162+
"panic_if_any_invalid" =>
163+
(1, Vec::new(), tcx.mk_unit()),
161164
"init" => (1, Vec::new(), param(0)),
162165
"uninit" => (1, Vec::new(), param(0)),
163166
"forget" => (1, vec![param(0)], tcx.mk_unit()),

0 commit comments

Comments
 (0)
Please sign in to comment.