-
Notifications
You must be signed in to change notification settings - Fork 95
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Fix size and alignment computation for intrinsics (#3734)
Implement overflow checks for `size_of_val`, and panic for foreign types. Resolves #3616 By submitting this pull request, I confirm that my contribution is made under the terms of the Apache 2.0 and MIT licenses.
- Loading branch information
Showing
10 changed files
with
316 additions
and
13 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
119 changes: 119 additions & 0 deletions
119
kani-compiler/src/kani_middle/transform/rustc_intrinsics.rs
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,119 @@ | ||
// Copyright Kani Contributors | ||
// SPDX-License-Identifier: Apache-2.0 OR MIT | ||
// | ||
//! Module responsible for implementing a few Rust compiler intrinsics. | ||
//! | ||
//! Note that some rustc intrinsics are lowered to MIR instructions. Those can also be handled | ||
//! here. | ||
|
||
use crate::intrinsics::Intrinsic; | ||
use crate::kani_middle::kani_functions::{KaniFunction, KaniModel}; | ||
use crate::kani_middle::transform::body::{MutMirVisitor, MutableBody}; | ||
use crate::kani_middle::transform::{TransformPass, TransformationType}; | ||
use crate::kani_queries::QueryDb; | ||
use rustc_middle::ty::TyCtxt; | ||
use stable_mir::mir::mono::Instance; | ||
use stable_mir::mir::{Body, ConstOperand, LocalDecl, Operand, Terminator, TerminatorKind}; | ||
use stable_mir::ty::{FnDef, MirConst, RigidTy, TyKind}; | ||
use std::collections::HashMap; | ||
use tracing::debug; | ||
|
||
/// Generate the body for a few Kani intrinsics. | ||
#[derive(Debug)] | ||
pub struct RustcIntrinsicsPass { | ||
/// Used to cache FnDef lookups for intrinsics models. | ||
models: HashMap<KaniModel, FnDef>, | ||
} | ||
|
||
impl TransformPass for RustcIntrinsicsPass { | ||
fn transformation_type() -> TransformationType | ||
where | ||
Self: Sized, | ||
{ | ||
TransformationType::Stubbing | ||
} | ||
|
||
fn is_enabled(&self, _query_db: &QueryDb) -> bool | ||
where | ||
Self: Sized, | ||
{ | ||
true | ||
} | ||
|
||
/// Transform the function body by inserting checks one-by-one. | ||
/// For every unsafe dereference or a transmute operation, we check all values are valid. | ||
fn transform(&mut self, _tcx: TyCtxt, body: Body, instance: Instance) -> (bool, Body) { | ||
debug!(function=?instance.name(), "transform"); | ||
let mut new_body = MutableBody::from(body); | ||
let mut visitor = ReplaceIntrinsicVisitor::new(&self.models, new_body.locals().to_vec()); | ||
visitor.visit_body(&mut new_body); | ||
(visitor.changed, new_body.into()) | ||
} | ||
} | ||
|
||
impl RustcIntrinsicsPass { | ||
pub fn new(queries: &QueryDb) -> Self { | ||
let models = queries | ||
.kani_functions() | ||
.iter() | ||
.filter_map(|(func, def)| { | ||
if let KaniFunction::Model(model) = func { Some((*model, *def)) } else { None } | ||
}) | ||
.collect(); | ||
debug!(?models, "RustcIntrinsicsPass::new"); | ||
RustcIntrinsicsPass { models } | ||
} | ||
} | ||
|
||
struct ReplaceIntrinsicVisitor<'a> { | ||
models: &'a HashMap<KaniModel, FnDef>, | ||
locals: Vec<LocalDecl>, | ||
changed: bool, | ||
} | ||
|
||
impl<'a> ReplaceIntrinsicVisitor<'a> { | ||
fn new(models: &'a HashMap<KaniModel, FnDef>, locals: Vec<LocalDecl>) -> Self { | ||
ReplaceIntrinsicVisitor { models, locals, changed: false } | ||
} | ||
} | ||
|
||
impl MutMirVisitor for ReplaceIntrinsicVisitor<'_> { | ||
/// Replace the terminator for some rustc's intrinsics. | ||
/// | ||
/// In some cases, we replace a function call to a rustc intrinsic by a call to the | ||
/// corresponding Kani intrinsic. | ||
/// | ||
/// Our models are usually augmented by some trait bounds, or they leverage Kani intrinsics to | ||
/// implement the given semantics. | ||
/// | ||
/// Note that we only need to replace function calls since intrinsics must always be called | ||
/// directly. I.e., no need to handle function pointers. | ||
fn visit_terminator(&mut self, term: &mut Terminator) { | ||
if let TerminatorKind::Call { func, .. } = &mut term.kind { | ||
if let TyKind::RigidTy(RigidTy::FnDef(def, args)) = | ||
func.ty(&self.locals).unwrap().kind() | ||
{ | ||
if def.is_intrinsic() { | ||
let instance = Instance::resolve(def, &args).unwrap(); | ||
let intrinsic = Intrinsic::from_instance(&instance); | ||
debug!(?intrinsic, "handle_terminator"); | ||
let model = match intrinsic { | ||
Intrinsic::SizeOfVal => self.models[&KaniModel::SizeOfVal], | ||
Intrinsic::MinAlignOfVal => self.models[&KaniModel::AlignOfVal], | ||
// The rest is handled in codegen. | ||
_ => { | ||
return self.super_terminator(term); | ||
} | ||
}; | ||
let new_instance = Instance::resolve(model, &args).unwrap(); | ||
let literal = MirConst::try_new_zero_sized(new_instance.ty()).unwrap(); | ||
let span = term.span; | ||
let new_func = ConstOperand { span, user_ty: None, const_: literal }; | ||
*func = Operand::Constant(new_func); | ||
self.changed = true; | ||
} | ||
} | ||
} | ||
self.super_terminator(term); | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,6 @@ | ||
Checking harness check_zst1024... | ||
Checking harness check_large... | ||
Checking harness check_1char_tup... | ||
Checking harness check_1zst_usize... | ||
|
||
Complete - 4 successfully verified harnesses, 0 failures, 4 total |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,75 @@ | ||
// Copyright Kani Contributors | ||
// SPDX-License-Identifier: Apache-2.0 OR MIT | ||
|
||
//! This test case checks the behavior of `align_of_val_raw` for dynamically sized types. | ||
|
||
#![feature(layout_for_ptr)] | ||
#![feature(ptr_metadata)] | ||
|
||
use std::any::Any; | ||
use std::mem::align_of; | ||
|
||
#[allow(unused)] | ||
#[derive(Clone, Copy, kani::Arbitrary)] | ||
struct Wrapper<T, U: ?Sized> { | ||
head: T, | ||
dst: U, | ||
} | ||
|
||
/// Create a ZST with an alignment of 1024. | ||
#[allow(unused)] | ||
#[repr(align(1024))] | ||
#[derive(kani::Arbitrary)] | ||
struct Zst1024; | ||
|
||
/// Create a structure with large alignment (2^29). | ||
/// | ||
/// This seems to be the maximum supported today: | ||
/// <https://github.com/rust-lang/rust/blob/7db7489f9bc2/tests/ui/repr/repr-align.rs#L11> | ||
#[repr(align(536870912))] | ||
#[derive(kani::Arbitrary)] | ||
struct LargeAlign { | ||
data: [usize; 100], | ||
} | ||
|
||
/// Generates a harness with different type combinations and check the alignment is correct. | ||
/// We use a constant for the original type, so it is pre-populated by the compiler. | ||
/// | ||
/// ## Parameters | ||
/// - `name`: Name of the harness. | ||
/// - `t1` / `t2`: Types used for different tail and head combinations. | ||
/// - `expected`: The expected alignment. | ||
macro_rules! check_alignment { | ||
($name:ident, $t1:ty, $t2:ty, $expected:expr) => { | ||
#[kani::proof] | ||
fn $name() { | ||
const EXPECTED: usize = align_of::<Wrapper<$t1, $t2>>(); | ||
assert_eq!(EXPECTED, $expected); | ||
|
||
let var: Wrapper<$t1, $t2> = kani::any(); | ||
let wide_ptr: &Wrapper<$t1, dyn Any> = &var as &_; | ||
let dyn_t2_align = align_of_val(wide_ptr); | ||
assert_eq!(dyn_t2_align, EXPECTED, "Expected same alignment as before coercion"); | ||
|
||
let var: Wrapper<$t2, $t1> = kani::any(); | ||
let wide_ptr: &Wrapper<$t2, dyn Any> = &var as &_; | ||
let dyn_t1_align = align_of_val(wide_ptr); | ||
assert_eq!(dyn_t1_align, EXPECTED, "Expected same alignment as before coercion"); | ||
|
||
let var: Wrapper<$t1, [$t2; 0]> = kani::any(); | ||
let wide_ptr: &Wrapper<$t1, [$t2]> = &var as &_; | ||
let slice_t2_align = align_of_val(wide_ptr); | ||
assert_eq!(slice_t2_align, EXPECTED, "Expected same alignment as before coercion"); | ||
|
||
let var: Wrapper<$t2, [$t1; 0]> = kani::any(); | ||
let wide_ptr: &Wrapper<$t2, [$t1]> = &var as &_; | ||
let slice_t1_align = align_of_val(wide_ptr); | ||
assert_eq!(slice_t1_align, EXPECTED, "Expected same alignment as before coercion"); | ||
} | ||
}; | ||
} | ||
|
||
check_alignment!(check_1zst_usize, usize, (), align_of::<usize>()); | ||
check_alignment!(check_1char_tup, (char, usize, u128), char, align_of::<u128>()); | ||
check_alignment!(check_zst1024, (char, usize, u128), Zst1024, align_of::<Zst1024>()); | ||
check_alignment!(check_large, u128, LargeAlign, align_of::<LargeAlign>()); |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,20 @@ | ||
Checking harness check_size_of_overflows... | ||
|
||
safety_check\ | ||
Status: FAILURE\ | ||
Description: "failed to compute `size_of_val`" | ||
|
||
Status: SUCCESS\ | ||
Description: "assertion failed: unsafe { size_of_val_raw(new_ptr) } == expected_size" | ||
|
||
Failed Checks: failed to compute `size_of_val` | ||
VERIFICATION:- FAILED | ||
|
||
Checking harness check_size_of_adt_overflows... | ||
|
||
0 of 2 cover properties satisfied (2 unreachable) | ||
Failed Checks: failed to compute `size_of_val` | ||
VERIFICATION:- FAILED | ||
|
||
Verification failed for - check_size_of_overflows | ||
Verification failed for - check_size_of_adt_overflows |
Oops, something went wrong.