Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Generate Multiple playback harnesses when multiple crashes exist in a single harness. #2496

Merged
Merged
Show file tree
Hide file tree
Changes from 23 commits
Commits
Show all changes
24 commits
Select commit Hold shift + click to select a range
438a911
Multi-harness.
YoshikiTakashima May 31, 2023
bcee075
Adjust test case to new type signature.
YoshikiTakashima May 31, 2023
e3e29bf
Comments and messages
YoshikiTakashima May 31, 2023
0cae000
Stabilize value.
YoshikiTakashima May 31, 2023
8814032
Add second case.
YoshikiTakashima Jun 1, 2023
fd9fd4b
Moved loop down into harness injection part, reduce fopen.
YoshikiTakashima Jun 2, 2023
3eb13db
Clippy.
YoshikiTakashima Jun 2, 2023
0ff6f4e
This test produces 2 injected tests now.
YoshikiTakashima Jun 2, 2023
8a8d7d7
Fixed test comment.
YoshikiTakashima Jun 2, 2023
ecd093b
test: Multi-harness, each with multi-inject.
YoshikiTakashima Jun 2, 2023
37a299a
Merge branch 'main' into yoshi-2461-multi-test
YoshikiTakashima Jun 2, 2023
f447048
Fixed existing harness issue.
YoshikiTakashima Jun 2, 2023
0de324c
injecting into already existing tests.
YoshikiTakashima Jun 2, 2023
75218ca
Delete injected test that has different suffix on Mac/Ubuntu.
YoshikiTakashima Jun 2, 2023
ff22b95
Merge branch 'main' into yoshi-2461-multi-test
YoshikiTakashima Jun 3, 2023
4e20656
Merge branch 'main' into yoshi-2461-multi-test
YoshikiTakashima Jun 5, 2023
930efaf
Fix comments.
YoshikiTakashima Jun 6, 2023
5979461
Prune test script: just check for double insert.
YoshikiTakashima Jun 6, 2023
db007ea
typo: , -> .
YoshikiTakashima Jun 6, 2023
38cd57c
Update expected test to new message.
YoshikiTakashima Jun 7, 2023
b4b3336
Name and comment fix.
YoshikiTakashima Jun 7, 2023
919ef57
Newline for each test.
YoshikiTakashima Jun 7, 2023
a7020b1
Merge branch 'main' into yoshi-2461-multi-test
YoshikiTakashima Jun 7, 2023
0cff780
Fix message listing type.
YoshikiTakashima Jun 8, 2023
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
220 changes: 120 additions & 100 deletions kani-driver/src/concrete_playback/test_generator.rs
Original file line number Diff line number Diff line change
Expand Up @@ -13,7 +13,7 @@ use concrete_vals_extractor::{extract_harness_values, ConcreteVal};
use kani_metadata::HarnessMetadata;
use std::collections::hash_map::DefaultHasher;
use std::ffi::OsString;
use std::fs::File;
use std::fs::{read_to_string, File};
use std::hash::{Hash, Hasher};
use std::io::{BufRead, BufReader, Write};
use std::path::Path;
Expand All @@ -32,48 +32,65 @@ impl KaniSession {
};

if let Ok(result_items) = &verification_result.results {
match extract_harness_values(result_items) {
None => println!(
let harness_values: Vec<Vec<ConcreteVal>> = extract_harness_values(result_items);

if harness_values.is_empty() {
println!(
"WARNING: Kani could not produce a concrete playback for `{}` because there \
were no failing panic checks.",
were no failing panic checks or satisfiable cover statements.",
harness.pretty_name
),
Some(concrete_vals) => {
let pretty_name = harness.get_harness_name_unqualified();
let generated_unit_test = format_unit_test(&pretty_name, &concrete_vals);
match playback_mode {
ConcretePlaybackMode::Print => {
)
} else {
let unit_tests: Vec<UnitTest> = harness_values
.iter()
.map(|concrete_vals| {
let pretty_name = harness.get_harness_name_unqualified();
format_unit_test(&pretty_name, &concrete_vals)
})
.collect();
match playback_mode {
ConcretePlaybackMode::Print => {
for generated_unit_test in unit_tests.iter() {
println!(
"Concrete playback unit test for `{}`:\n```\n{}\n```",
&harness.pretty_name,
&generated_unit_test.code.join("\n")
);
}

if !unit_tests.is_empty() {
println!(
YoshikiTakashima marked this conversation as resolved.
Show resolved Hide resolved
"INFO: To automatically add the concrete playback unit test `{}` to the \
src code, run Kani with `--concrete-playback=inplace`.",
&generated_unit_test.name
"INFO: To automatically add the concrete playback unit test(s) to the \
src code, run Kani with `--concrete-playback=inplace`.",
);
}
ConcretePlaybackMode::InPlace => {
if !self.args.common_args.quiet {
println!(
"INFO: Now modifying the source code to include the concrete playback unit test `{}`.",
&generated_unit_test.name
);
}
self.modify_src_code(
&harness.original_file,
harness.original_end_line,
&generated_unit_test,
)
.expect(&format!(
"Failed to modify source code for the file `{}`",
&harness.original_file
));
}
ConcretePlaybackMode::InPlace => {
if !self.args.common_args.quiet && !unit_tests.is_empty() {
println!(
"INFO: Now modifying the source code to include the concrete playback unit test: [{}].",
YoshikiTakashima marked this conversation as resolved.
Show resolved Hide resolved
unit_tests
.iter()
.map(|generated_unit_test| format!(
"`{}`",
&generated_unit_test.name
))
.collect::<Vec<String>>()
.join(",\n")
YoshikiTakashima marked this conversation as resolved.
Show resolved Hide resolved
);
}
self.modify_src_code(
&harness.original_file,
harness.original_end_line,
unit_tests,
)
.expect(&format!(
"Failed to modify source code for the file `{}`",
&harness.original_file
));
}
verification_result.generated_concrete_test = true;
}
verification_result.generated_concrete_test = true;
}
}
Ok(())
Expand All @@ -84,71 +101,83 @@ impl KaniSession {
&self,
src_path: &str,
proof_harness_end_line: usize,
unit_test: &UnitTest,
unit_tests: Vec<UnitTest>,
) -> Result<()> {
let unit_test_already_in_src =
self.add_test_inplace(src_path, proof_harness_end_line, unit_test)?;

if unit_test_already_in_src {
return Ok(());
// compute range to run rustfmt on.
let concrete_playback_num_lines: usize =
unit_tests.iter().map(|unit_test| unit_test.code.len()).sum();

let is_new_injection =
self.add_tests_inplace(src_path, proof_harness_end_line, unit_tests)?;

if is_new_injection {
let unit_test_start_line = proof_harness_end_line + 1;
let unit_test_end_line = unit_test_start_line + concrete_playback_num_lines - 1;
let src_path = Path::new(src_path);
let (path, file_name) = extract_parent_dir_and_src_file(src_path)?;
let file_line_ranges = vec![FileLineRange {
file: file_name,
line_range: Some((unit_test_start_line, unit_test_end_line)),
}];
self.run_rustfmt(&file_line_ranges, Some(&path))?;
}

// Run rustfmt on just the inserted lines.
let concrete_playback_num_lines = unit_test.code.len();
let unit_test_start_line = proof_harness_end_line + 1;
let unit_test_end_line = unit_test_start_line + concrete_playback_num_lines - 1;
let src_path = Path::new(src_path);
let (path, file_name) = extract_parent_dir_and_src_file(src_path)?;
let file_line_ranges = vec![FileLineRange {
file: file_name,
line_range: Some((unit_test_start_line, unit_test_end_line)),
}];
self.run_rustfmt(&file_line_ranges, Some(&path))?;
Ok(())
}

/// Writes the new source code to a user's source file using a tempfile as the means.
/// Returns whether the unit test was already in the old source code.
fn add_test_inplace(
/// Returns whether new unit test was injected.
fn add_tests_inplace(
&self,
source_path: &str,
proof_harness_end_line: usize,
unit_test: &UnitTest,
mut unit_tests: Vec<UnitTest>,
) -> Result<bool> {
// Read from source
let source_file = File::open(source_path).unwrap();
let source_reader = BufReader::new(source_file);
let source_string = read_to_string(source_path).unwrap();

// Create temp file
let mut temp_file = TempFile::try_new("concrete_playback.tmp")?;
let mut curr_line_num = 0;

// Use a buffered reader/writer to generate the unit test line by line
for line in source_reader.lines().flatten() {
if line.contains(&unit_test.name) {
// filter out existing harnesses.
unit_tests.retain(|unit_test| {
if source_string.contains(&unit_test.name) {
if !self.args.common_args.quiet {
println!(
"Concrete playback unit test `{}/{}` already found in source code, so skipping modification.",
source_path, unit_test.name,
);
}
// the drop impl will take care of flushing and resetting
return Ok(true);

false
} else {
true
}
curr_line_num += 1;
if let Some(temp_writer) = temp_file.writer.as_mut() {
writeln!(temp_writer, "{line}")?;
if curr_line_num == proof_harness_end_line {
for unit_test_line in unit_test.code.iter() {
curr_line_num += 1;
writeln!(temp_writer, "{unit_test_line}")?;
});
YoshikiTakashima marked this conversation as resolved.
Show resolved Hide resolved

// Create temp file
if !unit_tests.is_empty() {
let mut temp_file = TempFile::try_new("concrete_playback.tmp")?;
let mut curr_line_num = 0;

// Use a buffered reader/writer to generate the unit test line by line
for line in source_reader.lines().flatten() {
curr_line_num += 1;
if let Some(temp_writer) = temp_file.writer.as_mut() {
writeln!(temp_writer, "{line}")?;
if curr_line_num == proof_harness_end_line {
for unit_test in unit_tests.iter() {
for unit_test_line in unit_test.code.iter() {
curr_line_num += 1;
writeln!(temp_writer, "{unit_test_line}")?;
}
}
}
}
}
temp_file.rename(source_path).expect("Could not rename file");
}

temp_file.rename(source_path).expect("Could not rename file");
Ok(false)
Ok(!unit_tests.is_empty())
}

/// Run rustfmt on the given src file, and optionally on only the specific lines.
Expand Down Expand Up @@ -287,37 +316,28 @@ mod concrete_vals_extractor {
pub interp_val: String,
}

/// Extract a set of concrete values that trigger one assertion failure.
/// This will return None if the failure is not related to a user assertion.
pub fn extract_harness_values(result_items: &[Property]) -> Option<Vec<ConcreteVal>> {
let mut failures = result_items.iter().filter(|prop| {
(prop.property_class() == "assertion" && prop.status == CheckStatus::Failure)
|| (prop.property_class() == "cover" && prop.status == CheckStatus::Satisfied)
});

// Process the first assertion failure.
let first_failure = failures.next();
if let Some(property) = first_failure {
// Extract values for the first assertion that has failed.
let trace = property
.trace
.as_ref()
.expect(&format!("Missing trace for {}", property.property_name()));
let concrete_vals = trace.iter().filter_map(&extract_from_trace_item).collect();

// Print warnings for all the other failures that were not handled in case they expected
// even future checks to be extracted.
for unhandled in failures {
println!(
"WARNING: Unable to extract concrete values from multiple failing assertions. Skipping property `{}` with description `{}`.",
unhandled.property_name(),
unhandled.description,
);
}
Some(concrete_vals)
} else {
None
}
/// Extract a set of concrete values that trigger one assertion
/// failure. Each element of the outer vector corresponds to
/// inputs triggering one assertion failure or cover statement.
pub fn extract_harness_values(result_items: &[Property]) -> Vec<Vec<ConcreteVal>> {
result_items
.iter()
.filter(|prop| {
(prop.property_class() == "assertion" && prop.status == CheckStatus::Failure)
|| (prop.property_class() == "cover" && prop.status == CheckStatus::Satisfied)
})
.map(|property| {
// Extract values for each assertion that has failed.
let trace = property
.trace
.as_ref()
.expect(&format!("Missing trace for {}", property.property_name()));
let concrete_vals: Vec<ConcreteVal> =
trace.iter().filter_map(&extract_from_trace_item).collect();

concrete_vals
})
.collect()
}

/// Extracts individual bytes returned by kani::any() calls.
Expand Down Expand Up @@ -569,7 +589,7 @@ mod tests {
}),
}]),
}];
let concrete_vals = extract_harness_values(&processed_items).unwrap();
let concrete_vals = extract_harness_values(&processed_items).pop().unwrap();
let concrete_val = &concrete_vals[0];

assert_eq!(concrete_val.byte_arr, vec![1, 3]);
Expand Down
4 changes: 4 additions & 0 deletions tests/script-based-pre/playback_already_existing/config.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
# Copyright Kani Contributors
# SPDX-License-Identifier: Apache-2.0 OR MIT
script: playback_opts.sh
expected: playback_opts.expected
35 changes: 35 additions & 0 deletions tests/script-based-pre/playback_already_existing/original.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,35 @@
// Copyright Kani Contributors
// SPDX-License-Identifier: Apache-2.0 OR MIT
//! Check that Kani correctly adds tests to the cover checks reachable in a harness.
extern crate kani;

#[cfg(kani)]
mod verify {
use kani::cover;
use std::convert::TryFrom;
use std::num::NonZeroU8;

#[kani::proof]
fn try_nz_u8() {
let val: u8 = kani::any();
let result = NonZeroU8::try_from(val);
match result {
Ok(nz_val) => {
cover!(true, "Ok");
assert_eq!(nz_val.get(), val);
}
Err(_) => {
cover!(true, "Not ok");
assert_eq!(val, 0);
}
}
}
#[test]
fn kani_concrete_playback_try_nz_u8_17663051139329126359() {
YoshikiTakashima marked this conversation as resolved.
Show resolved Hide resolved
let concrete_vals: Vec<Vec<u8>> = vec![
// 0
vec![0],
];
kani::concrete_playback_run(concrete_vals, try_nz_u8);
}
}
Original file line number Diff line number Diff line change
@@ -0,0 +1,14 @@
[TEST] Generate test...
Checking harness verify::try_nz_u8

already found in source code, so skipping modification.

[TEST] Only codegen test...
Building modified.rs
playback_already_existing/kani_concrete_playback

[TEST] Run test...
test result: ok. 2 passed; 0 failed;

[TEST] Json format...
{"artifact":
Original file line number Diff line number Diff line change
@@ -0,0 +1,24 @@
#!/usr/bin/env bash
# Copyright Kani Contributors
# SPDX-License-Identifier: Apache-2.0 OR MIT
# Test that concrete playback -Z concrete-playback executes as expected
set -o pipefail
set -o nounset

RS_FILE="modified.rs"
cp original.rs ${RS_FILE}

echo "[TEST] Generate test..."
kani ${RS_FILE} -Z concrete-playback --concrete-playback=inplace

echo "[TEST] Only codegen test..."
kani playback -Z concrete-playback --only-codegen ${RS_FILE} -- kani_concrete_playback
YoshikiTakashima marked this conversation as resolved.
Show resolved Hide resolved

echo "[TEST] Run test..."
kani playback -Z concrete-playback ${RS_FILE} -- kani_concrete_playback

echo "[TEST] Json format..."
kani playback -Z concrete-playback ${RS_FILE} --only-codegen --message-format=json -- kani_concrete_playback
YoshikiTakashima marked this conversation as resolved.
Show resolved Hide resolved

# Cleanup
rm ${RS_FILE}
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
# Copyright Kani Contributors
# SPDX-License-Identifier: Apache-2.0 OR MIT
script: playback_opts.sh
expected: playback_opts.expected
Loading