nextest_runner/reporter/events.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262
// Copyright (c) The nextest Contributors
// SPDX-License-Identifier: MIT OR Apache-2.0
//! Events for the reporter.
//!
//! These types form the interface between the test runner and the test
//! reporter. The root structure for all events is [`TestEvent`].
use super::{FinalStatusLevel, StatusLevel, TestOutputDisplay};
use crate::{
config::ScriptId,
list::{TestInstance, TestInstanceId, TestList},
test_output::ChildExecutionOutput,
};
use chrono::{DateTime, FixedOffset};
use nextest_metadata::MismatchReason;
use quick_junit::ReportUuid;
use std::{collections::BTreeMap, fmt, process::ExitStatus, time::Duration};
/// A test event.
///
/// Events are produced by a [`TestRunner`](crate::runner::TestRunner) and consumed by a
/// [`TestReporter`](crate::reporter::TestReporter).
#[derive(Clone, Debug)]
pub struct TestEvent<'a> {
/// The time at which the event was generated, including the offset from UTC.
pub timestamp: DateTime<FixedOffset>,
/// The amount of time elapsed since the start of the test run.
pub elapsed: Duration,
/// The kind of test event this is.
pub kind: TestEventKind<'a>,
}
/// The kind of test event this is.
///
/// Forms part of [`TestEvent`].
#[derive(Clone, Debug)]
pub enum TestEventKind<'a> {
/// The test run started.
RunStarted {
/// The list of tests that will be run.
///
/// The methods on the test list indicate the number of tests that will be run.
test_list: &'a TestList<'a>,
/// The UUID for this run.
run_id: ReportUuid,
/// The nextest profile chosen for this run.
profile_name: String,
/// The command-line arguments for the process.
cli_args: Vec<String>,
},
/// A setup script started.
SetupScriptStarted {
/// The setup script index.
index: usize,
/// The total number of setup scripts.
total: usize,
/// The script ID.
script_id: ScriptId,
/// The command to run.
command: &'a str,
/// The arguments to the command.
args: &'a [String],
/// True if some output from the setup script is being passed through.
no_capture: bool,
},
/// A setup script was slow.
SetupScriptSlow {
/// The script ID.
script_id: ScriptId,
/// The command to run.
command: &'a str,
/// The arguments to the command.
args: &'a [String],
/// The amount of time elapsed since the start of execution.
elapsed: Duration,
/// True if the script has hit its timeout and is about to be terminated.
will_terminate: bool,
},
/// A setup script completed execution.
SetupScriptFinished {
/// The setup script index.
index: usize,
/// The total number of setup scripts.
total: usize,
/// The script ID.
script_id: ScriptId,
/// The command to run.
command: &'a str,
/// The arguments to the command.
args: &'a [String],
/// Whether the JUnit report should store success output for this script.
junit_store_success_output: bool,
/// Whether the JUnit report should store failure output for this script.
junit_store_failure_output: bool,
/// True if some output from the setup script was passed through.
no_capture: bool,
/// The execution status of the setup script.
run_status: SetupScriptExecuteStatus,
},
// TODO: add events for BinaryStarted and BinaryFinished? May want a slightly different way to
// do things, maybe a couple of reporter traits (one for the run as a whole and one for each
// binary).
/// A test started running.
TestStarted {
/// The test instance that was started.
test_instance: TestInstance<'a>,
/// Current run statistics so far.
current_stats: RunStats,
/// The number of tests currently running, including this one.
running: usize,
/// The cancel status of the run. This is None if the run is still ongoing.
cancel_state: Option<CancelReason>,
},
/// A test was slower than a configured soft timeout.
TestSlow {
/// The test instance that was slow.
test_instance: TestInstance<'a>,
/// Retry data.
retry_data: RetryData,
/// The amount of time that has elapsed since the beginning of the test.
elapsed: Duration,
/// True if the test has hit its timeout and is about to be terminated.
will_terminate: bool,
},
/// A test attempt failed and will be retried in the future.
///
/// This event does not occur on the final run of a failing test.
TestAttemptFailedWillRetry {
/// The test instance that is being retried.
test_instance: TestInstance<'a>,
/// The status of this attempt to run the test. Will never be success.
run_status: ExecuteStatus,
/// The delay before the next attempt to run the test.
delay_before_next_attempt: Duration,
/// Whether failure outputs are printed out.
failure_output: TestOutputDisplay,
},
/// A retry has started.
TestRetryStarted {
/// The test instance that is being retried.
test_instance: TestInstance<'a>,
/// Data related to retries.
retry_data: RetryData,
},
/// A test finished running.
TestFinished {
/// The test instance that finished running.
test_instance: TestInstance<'a>,
/// Test setting for success output.
success_output: TestOutputDisplay,
/// Test setting for failure output.
failure_output: TestOutputDisplay,
/// Whether the JUnit report should store success output for this test.
junit_store_success_output: bool,
/// Whether the JUnit report should store failure output for this test.
junit_store_failure_output: bool,
/// Information about all the runs for this test.
run_statuses: ExecutionStatuses,
/// Current statistics for number of tests so far.
current_stats: RunStats,
/// The number of tests that are currently running, excluding this one.
running: usize,
/// The cancel status of the run. This is None if the run is still ongoing.
cancel_state: Option<CancelReason>,
},
/// A test was skipped.
TestSkipped {
/// The test instance that was skipped.
test_instance: TestInstance<'a>,
/// The reason this test was skipped.
reason: MismatchReason,
},
/// An information request was received.
InfoStarted {
/// The number of tasks currently running. This is the same as the
/// number of expected responses.
total: usize,
/// Statistics for the run.
run_stats: RunStats,
},
/// Information about a script or test was received.
InfoResponse {
/// The index of the response, starting from 0.
index: usize,
/// The total number of responses expected.
total: usize,
/// The response itself.
response: InfoResponse<'a>,
},
/// An information request was completed.
InfoFinished {
/// The number of responses that were not received. In most cases, this
/// is 0.
missing: usize,
},
/// A cancellation notice was received.
RunBeginCancel {
/// The number of setup scripts still running.
setup_scripts_running: usize,
/// The number of tests still running.
running: usize,
/// The reason this run was cancelled.
reason: CancelReason,
},
/// A forcible kill was requested due to receiving a signal.
RunBeginKill {
/// The number of setup scripts still running.
setup_scripts_running: usize,
/// The number of tests still running.
running: usize,
/// The reason this run was killed.
reason: CancelReason,
},
/// A SIGTSTP event was received and the run was paused.
RunPaused {
/// The number of setup scripts running.
setup_scripts_running: usize,
/// The number of tests currently running.
running: usize,
},
/// A SIGCONT event was received and the run is being continued.
RunContinued {
/// The number of setup scripts that will be started up again.
setup_scripts_running: usize,
/// The number of tests that will be started up again.
running: usize,
},
/// The test run finished.
RunFinished {
/// The unique ID for this run.
run_id: ReportUuid,
/// The time at which the run was started.
start_time: DateTime<FixedOffset>,
/// The amount of time it took for the tests to run.
elapsed: Duration,
/// Statistics for the run.
run_stats: RunStats,
},
}
/// Statistics for a test run.
#[derive(Copy, Clone, Default, Debug, Eq, PartialEq)]
pub struct RunStats {
/// The total number of tests that were expected to be run at the beginning.
///
/// If the test run is cancelled, this will be more than `finished_count` at the end.
pub initial_run_count: usize,
/// The total number of tests that finished running.
pub finished_count: usize,
/// The total number of setup scripts that were expected to be run at the beginning.
///
/// If the test run is cancelled, this will be more than `finished_count` at the end.
pub setup_scripts_initial_count: usize,
/// The total number of setup scripts that finished running.
pub setup_scripts_finished_count: usize,
/// The number of setup scripts that passed.
pub setup_scripts_passed: usize,
/// The number of setup scripts that failed.
pub setup_scripts_failed: usize,
/// The number of setup scripts that encountered an execution failure.
pub setup_scripts_exec_failed: usize,
/// The number of setup scripts that timed out.
pub setup_scripts_timed_out: usize,
/// The number of tests that passed. Includes `passed_slow`, `flaky` and `leaky`.
pub passed: usize,
/// The number of slow tests that passed.
pub passed_slow: usize,
/// The number of tests that passed on retry.
pub flaky: usize,
/// The number of tests that failed.
pub failed: usize,
/// The number of failed tests that were slow.
pub failed_slow: usize,
/// The number of tests that timed out.
pub timed_out: usize,
/// The number of tests that passed but leaked handles.
pub leaky: usize,
/// The number of tests that encountered an execution failure.
pub exec_failed: usize,
/// The number of tests that were skipped.
pub skipped: usize,
}
impl RunStats {
/// Returns true if there are any failures recorded in the stats.
pub fn has_failures(&self) -> bool {
self.failed_setup_script_count() > 0 || self.failed_count() > 0
}
/// Returns count of setup scripts that did not pass.
pub fn failed_setup_script_count(&self) -> usize {
self.setup_scripts_failed + self.setup_scripts_exec_failed + self.setup_scripts_timed_out
}
/// Returns count of tests that did not pass.
pub fn failed_count(&self) -> usize {
self.failed + self.exec_failed + self.timed_out
}
/// Summarizes the stats as an enum at the end of a test run.
pub fn summarize_final(&self) -> FinalRunStats {
// Check for failures first. The order of setup scripts vs tests should not be important,
// though we don't assert that here.
if self.failed_setup_script_count() > 0 {
FinalRunStats::Failed(RunStatsFailureKind::SetupScript)
} else if self.setup_scripts_initial_count > self.setup_scripts_finished_count {
FinalRunStats::Cancelled(RunStatsFailureKind::SetupScript)
} else if self.failed_count() > 0 {
FinalRunStats::Failed(RunStatsFailureKind::Test {
initial_run_count: self.initial_run_count,
not_run: self.initial_run_count.saturating_sub(self.finished_count),
})
} else if self.initial_run_count > self.finished_count {
FinalRunStats::Cancelled(RunStatsFailureKind::Test {
initial_run_count: self.initial_run_count,
not_run: self.initial_run_count.saturating_sub(self.finished_count),
})
} else if self.finished_count == 0 {
FinalRunStats::NoTestsRun
} else {
FinalRunStats::Success
}
}
pub(crate) fn on_setup_script_finished(&mut self, status: &SetupScriptExecuteStatus) {
self.setup_scripts_finished_count += 1;
match status.result {
ExecutionResult::Pass | ExecutionResult::Leak => {
self.setup_scripts_passed += 1;
}
ExecutionResult::Fail { .. } => {
self.setup_scripts_failed += 1;
}
ExecutionResult::ExecFail => {
self.setup_scripts_exec_failed += 1;
}
ExecutionResult::Timeout => {
self.setup_scripts_timed_out += 1;
}
}
}
pub(crate) fn on_test_finished(&mut self, run_statuses: &ExecutionStatuses) {
self.finished_count += 1;
// run_statuses is guaranteed to have at least one element.
// * If the last element is success, treat it as success (and possibly flaky).
// * If the last element is a failure, use it to determine fail/exec fail.
// Note that this is different from what Maven Surefire does (use the first failure):
// https://maven.apache.org/surefire/maven-surefire-plugin/examples/rerun-failing-tests.html
//
// This is not likely to matter much in practice since failures are likely to be of the
// same type.
let last_status = run_statuses.last_status();
match last_status.result {
ExecutionResult::Pass => {
self.passed += 1;
if last_status.is_slow {
self.passed_slow += 1;
}
if run_statuses.len() > 1 {
self.flaky += 1;
}
}
ExecutionResult::Leak => {
self.passed += 1;
self.leaky += 1;
if last_status.is_slow {
self.passed_slow += 1;
}
if run_statuses.len() > 1 {
self.flaky += 1;
}
}
ExecutionResult::Fail { .. } => {
self.failed += 1;
if last_status.is_slow {
self.failed_slow += 1;
}
}
ExecutionResult::Timeout => self.timed_out += 1,
ExecutionResult::ExecFail => self.exec_failed += 1,
}
}
}
/// A type summarizing the possible outcomes of a test run.
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
pub enum FinalRunStats {
/// The test run was successful, or is successful so far.
Success,
/// The test run was successful, or is successful so far, but no tests were selected to run.
NoTestsRun,
/// The test run was cancelled.
Cancelled(RunStatsFailureKind),
/// At least one test failed.
Failed(RunStatsFailureKind),
}
/// A type summarizing the step at which a test run failed.
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
pub enum RunStatsFailureKind {
/// The run was interrupted during setup script execution.
SetupScript,
/// The run was interrupted during test execution.
Test {
/// The total number of tests scheduled.
initial_run_count: usize,
/// The number of tests not run, or for a currently-executing test the number queued up to
/// run.
not_run: usize,
},
}
/// Information about executions of a test, including retries.
#[derive(Clone, Debug)]
pub struct ExecutionStatuses {
/// This is guaranteed to be non-empty.
statuses: Vec<ExecuteStatus>,
}
#[expect(clippy::len_without_is_empty)] // RunStatuses is never empty
impl ExecutionStatuses {
pub(crate) fn new(statuses: Vec<ExecuteStatus>) -> Self {
Self { statuses }
}
/// Returns the last execution status.
///
/// This status is typically used as the final result.
pub fn last_status(&self) -> &ExecuteStatus {
self.statuses
.last()
.expect("execution statuses is non-empty")
}
/// Iterates over all the statuses.
pub fn iter(&self) -> impl DoubleEndedIterator<Item = &'_ ExecuteStatus> + '_ {
self.statuses.iter()
}
/// Returns the number of times the test was executed.
pub fn len(&self) -> usize {
self.statuses.len()
}
/// Returns a description of self.
pub fn describe(&self) -> ExecutionDescription<'_> {
let last_status = self.last_status();
if last_status.result.is_success() {
if self.statuses.len() > 1 {
ExecutionDescription::Flaky {
last_status,
prior_statuses: &self.statuses[..self.statuses.len() - 1],
}
} else {
ExecutionDescription::Success {
single_status: last_status,
}
}
} else {
let first_status = self
.statuses
.first()
.expect("execution statuses is non-empty");
let retries = &self.statuses[1..];
ExecutionDescription::Failure {
first_status,
last_status,
retries,
}
}
}
}
/// A description of test executions obtained from `ExecuteStatuses`.
///
/// This can be used to quickly determine whether a test passed, failed or was flaky.
#[derive(Copy, Clone, Debug)]
pub enum ExecutionDescription<'a> {
/// The test was run once and was successful.
Success {
/// The status of the test.
single_status: &'a ExecuteStatus,
},
/// The test was run more than once. The final result was successful.
Flaky {
/// The last, successful status.
last_status: &'a ExecuteStatus,
/// Previous statuses, none of which are successes.
prior_statuses: &'a [ExecuteStatus],
},
/// The test was run once, or possibly multiple times. All runs failed.
Failure {
/// The first, failing status.
first_status: &'a ExecuteStatus,
/// The last, failing status. Same as the first status if no retries were performed.
last_status: &'a ExecuteStatus,
/// Any retries that were performed. All of these runs failed.
///
/// May be empty.
retries: &'a [ExecuteStatus],
},
}
impl<'a> ExecutionDescription<'a> {
/// Returns the status level for this `ExecutionDescription`.
pub fn status_level(&self) -> StatusLevel {
match self {
ExecutionDescription::Success { single_status } => {
if single_status.result == ExecutionResult::Leak {
StatusLevel::Leak
} else {
StatusLevel::Pass
}
}
// A flaky test implies that we print out retry information for it.
ExecutionDescription::Flaky { .. } => StatusLevel::Retry,
ExecutionDescription::Failure { .. } => StatusLevel::Fail,
}
}
/// Returns the final status level for this `ExecutionDescription`.
pub fn final_status_level(&self) -> FinalStatusLevel {
match self {
ExecutionDescription::Success { single_status, .. } => {
// Slow is higher priority than leaky, so return slow first here.
if single_status.is_slow {
FinalStatusLevel::Slow
} else if single_status.result == ExecutionResult::Leak {
FinalStatusLevel::Leak
} else {
FinalStatusLevel::Pass
}
}
// A flaky test implies that we print out retry information for it.
ExecutionDescription::Flaky { .. } => FinalStatusLevel::Flaky,
ExecutionDescription::Failure { .. } => FinalStatusLevel::Fail,
}
}
/// Returns the last run status.
pub fn last_status(&self) -> &'a ExecuteStatus {
match self {
ExecutionDescription::Success {
single_status: last_status,
}
| ExecutionDescription::Flaky { last_status, .. }
| ExecutionDescription::Failure { last_status, .. } => last_status,
}
}
}
/// Information about a single execution of a test.
#[derive(Clone, Debug)]
pub struct ExecuteStatus {
/// Retry-related data.
pub retry_data: RetryData,
/// The stdout and stderr output for this test.
pub output: ChildExecutionOutput,
/// The execution result for this test: pass, fail or execution error.
pub result: ExecutionResult,
/// The time at which the test started.
pub start_time: DateTime<FixedOffset>,
/// The time it took for the test to run.
pub time_taken: Duration,
/// Whether this test counts as slow.
pub is_slow: bool,
/// The delay will be non-zero if this is a retry and delay was specified.
pub delay_before_start: Duration,
}
/// Information about the execution of a setup script.
#[derive(Clone, Debug)]
pub struct SetupScriptExecuteStatus {
/// Output for this setup script.
pub output: ChildExecutionOutput,
/// The execution result for this setup script: pass, fail or execution error.
pub result: ExecutionResult,
/// The time at which the script started.
pub start_time: DateTime<FixedOffset>,
/// The time it took for the script to run.
pub time_taken: Duration,
/// Whether this script counts as slow.
pub is_slow: bool,
/// The map of environment variables that were set by this script.
///
/// `None` if an error occurred while running the script or reading the
/// environment map.
pub env_map: Option<SetupScriptEnvMap>,
}
/// A map of environment variables set by a setup script.
///
/// Part of [`SetupScriptExecuteStatus`].
#[derive(Clone, Debug)]
pub struct SetupScriptEnvMap {
/// The map of environment variables set by the script.
pub env_map: BTreeMap<String, String>,
}
/// Data related to retries for a test.
#[derive(Clone, Copy, Debug, Eq, PartialEq, PartialOrd, Ord)]
pub struct RetryData {
/// The current attempt. In the range `[1, total_attempts]`.
pub attempt: usize,
/// The total number of times this test can be run. Equal to `1 + retries`.
pub total_attempts: usize,
}
impl RetryData {
/// Returns true if there are no more attempts after this.
pub fn is_last_attempt(&self) -> bool {
self.attempt >= self.total_attempts
}
}
/// Whether a test passed, failed or an error occurred while executing the test.
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
pub enum ExecutionResult {
/// The test passed.
Pass,
/// The test passed but leaked handles. This usually indicates that
/// a subprocess that inherit standard IO was created, but it didn't shut down when
/// the test failed.
///
/// This is treated as a pass.
Leak,
/// The test failed.
Fail {
/// The abort status of the test, if any (for example, the signal on Unix).
abort_status: Option<AbortStatus>,
/// Whether a test leaked handles. If set to true, this usually indicates that
/// a subprocess that inherit standard IO was created, but it didn't shut down when
/// the test failed.
leaked: bool,
},
/// An error occurred while executing the test.
ExecFail,
/// The test was terminated due to a timeout.
Timeout,
}
impl ExecutionResult {
/// Returns true if the test was successful.
pub fn is_success(self) -> bool {
match self {
ExecutionResult::Pass | ExecutionResult::Leak => true,
ExecutionResult::Fail { .. } | ExecutionResult::ExecFail | ExecutionResult::Timeout => {
false
}
}
}
}
/// A regular exit code or Windows NT abort status for a test.
///
/// Returned as part of the [`ExecutionResult::Fail`] variant.
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
pub enum AbortStatus {
/// The test was aborted due to a signal on Unix.
#[cfg(unix)]
UnixSignal(i32),
/// The test was determined to have aborted because the high bit was set on Windows.
#[cfg(windows)]
WindowsNtStatus(windows_sys::Win32::Foundation::NTSTATUS),
/// The test was terminated via job object on Windows.
#[cfg(windows)]
JobObject,
}
impl AbortStatus {
/// Extract the abort status from an [`ExitStatus`].
pub fn extract(exit_status: ExitStatus) -> Option<Self> {
cfg_if::cfg_if! {
if #[cfg(unix)] {
// On Unix, extract the signal if it's found.
use std::os::unix::process::ExitStatusExt;
exit_status.signal().map(AbortStatus::UnixSignal)
} else if #[cfg(windows)] {
exit_status.code().and_then(|code| {
(code < 0).then_some(AbortStatus::WindowsNtStatus(code))
})
} else {
None
}
}
}
}
// Note: the order here matters -- it indicates severity of cancellation
/// The reason why a test run is being cancelled.
#[derive(Copy, Clone, Debug, Eq, PartialEq, Ord, PartialOrd)]
#[cfg_attr(test, derive(test_strategy::Arbitrary))]
pub enum CancelReason {
/// A setup script failed.
SetupScriptFailure,
/// A test failed and --no-fail-fast wasn't specified.
TestFailure,
/// An error occurred while reporting results.
ReportError,
/// A termination signal (on Unix, SIGTERM or SIGHUP) was received.
Signal,
/// An interrupt (on Unix, Ctrl-C) was received.
Interrupt,
/// A second signal was received, and the run is being forcibly killed.
SecondSignal,
}
impl CancelReason {
pub(crate) fn to_static_str(self) -> &'static str {
match self {
CancelReason::SetupScriptFailure => "setup script failure",
CancelReason::TestFailure => "test failure",
CancelReason::ReportError => "reporting error",
CancelReason::Signal => "signal",
CancelReason::Interrupt => "interrupt",
CancelReason::SecondSignal => "second signal",
}
}
}
/// The kind of unit of work that nextest is executing.
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
pub enum UnitKind {
/// A test.
Test,
/// A script (e.g. a setup script).
Script,
}
impl UnitKind {
pub(crate) const WAITING_ON_TEST_MESSAGE: &str = "waiting on test process";
pub(crate) const WAITING_ON_SCRIPT_MESSAGE: &str = "waiting on script process";
pub(crate) const EXECUTING_TEST_MESSAGE: &str = "executing test";
pub(crate) const EXECUTING_SCRIPT_MESSAGE: &str = "executing script";
pub(crate) fn waiting_on_message(&self) -> &'static str {
match self {
UnitKind::Test => Self::WAITING_ON_TEST_MESSAGE,
UnitKind::Script => Self::WAITING_ON_SCRIPT_MESSAGE,
}
}
pub(crate) fn executing_message(&self) -> &'static str {
match self {
UnitKind::Test => Self::EXECUTING_TEST_MESSAGE,
UnitKind::Script => Self::EXECUTING_SCRIPT_MESSAGE,
}
}
}
impl fmt::Display for UnitKind {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
UnitKind::Script => write!(f, "script"),
UnitKind::Test => write!(f, "test"),
}
}
}
/// A response to an information request.
#[derive(Clone, Debug)]
pub enum InfoResponse<'a> {
/// A setup script's response.
SetupScript(SetupScriptInfoResponse<'a>),
/// A test's response.
Test(TestInfoResponse<'a>),
}
/// A setup script's response to an information request.
#[derive(Clone, Debug)]
pub struct SetupScriptInfoResponse<'a> {
/// The identifier of the setup script instance.
pub script_id: ScriptId,
/// The command to run.
pub command: &'a str,
/// The list of arguments to the command.
pub args: &'a [String],
/// The state of the setup script.
pub state: UnitState,
/// Output obtained from the setup script.
pub output: ChildExecutionOutput,
}
/// A test's response to an information request.
#[derive(Clone, Debug)]
pub struct TestInfoResponse<'a> {
/// The test instance that the information is about.
pub test_instance: TestInstanceId<'a>,
/// Information about retries.
pub retry_data: RetryData,
/// The state of the test.
pub state: UnitState,
/// Output obtained from the test.
pub output: ChildExecutionOutput,
}
/// The current state of a test or script process: running, exiting, or
/// terminating.
///
/// Part of information response requests.
#[derive(Clone, Debug)]
pub enum UnitState {
/// The unit is currently running.
Running {
/// The process ID.
pid: u32,
/// The amount of time the unit has been running.
time_taken: Duration,
/// `Some` if the test is marked as slow, along with the duration after
/// which it was marked as slow.
slow_after: Option<Duration>,
},
/// The test has finished running, and is currently in the process of
/// exiting.
Exiting {
/// The process ID.
pid: u32,
/// The amount of time the unit ran for.
time_taken: Duration,
/// `Some` if the unit is marked as slow, along with the duration after
/// which it was marked as slow.
slow_after: Option<Duration>,
/// The tentative execution result before leaked status is determined.
///
/// None means that the exit status could not be read, and should be
/// treated as a failure.
tentative_result: Option<ExecutionResult>,
/// How long has been spent waiting for the process to exit.
waiting_duration: Duration,
/// How much longer nextest will wait until the test is marked leaky.
remaining: Duration,
},
/// The child process is being terminated by nextest.
Terminating(UnitTerminatingState),
/// The unit has finished running and the process has exited.
Exited {
/// The result of executing the unit.
result: ExecutionResult,
/// The amount of time the unit ran for.
time_taken: Duration,
/// `Some` if the unit is marked as slow, along with the duration after
/// which it was marked as slow.
slow_after: Option<Duration>,
},
/// A delay is being waited out before the next attempt of the test is
/// started. (Only relevant for tests.)
DelayBeforeNextAttempt {
/// The previous execution result.
previous_result: ExecutionResult,
/// Whether the previous attempt was marked as slow.
previous_slow: bool,
/// How long has been spent waiting so far.
waiting_duration: Duration,
/// How much longer nextest will wait until retrying the test.
remaining: Duration,
},
}
impl UnitState {
/// Returns true if the state has a valid output attached to it.
pub fn has_valid_output(&self) -> bool {
match self {
UnitState::Running { .. }
| UnitState::Exiting { .. }
| UnitState::Terminating(_)
| UnitState::Exited { .. } => true,
UnitState::DelayBeforeNextAttempt { .. } => false,
}
}
}
/// The current terminating state of a test or script process.
///
/// Part of [`UnitState::Terminating`].
#[derive(Clone, Debug)]
pub struct UnitTerminatingState {
/// The process ID.
pub pid: u32,
/// The amount of time the unit ran for.
pub time_taken: Duration,
/// The reason for the termination.
pub reason: UnitTerminateReason,
/// The method by which the process is being terminated.
pub method: UnitTerminateMethod,
/// How long has been spent waiting for the process to exit.
pub waiting_duration: Duration,
/// How much longer nextest will wait until a kill command is sent to the process.
pub remaining: Duration,
}
/// The reason for a script or test being forcibly terminated by nextest.
///
/// Part of information response requests.
#[derive(Clone, Copy, Debug)]
pub enum UnitTerminateReason {
/// The unit is being terminated due to a test timeout being hit.
Timeout,
/// The unit is being terminated due to nextest receiving a signal.
Signal,
/// The unit is being terminated due to an interrupt (i.e. Ctrl-C).
Interrupt,
}
impl fmt::Display for UnitTerminateReason {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
UnitTerminateReason::Timeout => write!(f, "timeout"),
UnitTerminateReason::Signal => write!(f, "signal"),
UnitTerminateReason::Interrupt => write!(f, "interrupt"),
}
}
}
/// The way in which a script or test is being forcibly terminated by nextest.
#[derive(Clone, Copy, Debug)]
pub enum UnitTerminateMethod {
/// The unit is being terminated by sending a signal.
#[cfg(unix)]
Signal(UnitTerminateSignal),
/// The unit is being terminated by terminating the Windows job object.
#[cfg(windows)]
JobObject,
/// The unit is being waited on to exit. A termination signal will be sent
/// if it doesn't exit within the grace period.
///
/// On Windows, this occurs when nextest receives Ctrl-C. In that case, it
/// is assumed that tests will also receive Ctrl-C and exit on their own. If
/// tests do not exit within the grace period configured for them, their
/// corresponding job objects will be terminated.
#[cfg(windows)]
Wait,
/// A fake method used for testing.
#[cfg(test)]
Fake,
}
#[cfg(unix)]
/// The signal that is or was sent to terminate a script or test.
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
pub enum UnitTerminateSignal {
/// The unit is being terminated by sending a SIGINT.
Interrupt,
/// The unit is being terminated by sending a SIGTERM signal.
Term,
/// The unit is being terminated by sending a SIGHUP signal.
Hangup,
/// The unit is being terminated by sending a SIGQUIT signal.
Quit,
/// The unit is being terminated by sending a SIGKILL signal.
Kill,
}
#[cfg(unix)]
impl fmt::Display for UnitTerminateSignal {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
UnitTerminateSignal::Interrupt => write!(f, "SIGINT"),
UnitTerminateSignal::Term => write!(f, "SIGTERM"),
UnitTerminateSignal::Hangup => write!(f, "SIGHUP"),
UnitTerminateSignal::Quit => write!(f, "SIGQUIT"),
UnitTerminateSignal::Kill => write!(f, "SIGKILL"),
}
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_is_success() {
assert_eq!(
RunStats::default().summarize_final(),
FinalRunStats::NoTestsRun,
"empty run => no tests run"
);
assert_eq!(
RunStats {
initial_run_count: 42,
finished_count: 42,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Success,
"initial run count = final run count => success"
);
assert_eq!(
RunStats {
initial_run_count: 42,
finished_count: 41,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Cancelled(RunStatsFailureKind::Test {
initial_run_count: 42,
not_run: 1
}),
"initial run count > final run count => cancelled"
);
assert_eq!(
RunStats {
initial_run_count: 42,
finished_count: 42,
failed: 1,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Failed(RunStatsFailureKind::Test {
initial_run_count: 42,
not_run: 0
}),
"failed => failure"
);
assert_eq!(
RunStats {
initial_run_count: 42,
finished_count: 42,
exec_failed: 1,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Failed(RunStatsFailureKind::Test {
initial_run_count: 42,
not_run: 0
}),
"exec failed => failure"
);
assert_eq!(
RunStats {
initial_run_count: 42,
finished_count: 42,
timed_out: 1,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Failed(RunStatsFailureKind::Test {
initial_run_count: 42,
not_run: 0
}),
"timed out => failure"
);
assert_eq!(
RunStats {
initial_run_count: 42,
finished_count: 42,
skipped: 1,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Success,
"skipped => not considered a failure"
);
assert_eq!(
RunStats {
setup_scripts_initial_count: 2,
setup_scripts_finished_count: 1,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Cancelled(RunStatsFailureKind::SetupScript),
"setup script failed => failure"
);
assert_eq!(
RunStats {
setup_scripts_initial_count: 2,
setup_scripts_finished_count: 2,
setup_scripts_failed: 1,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Failed(RunStatsFailureKind::SetupScript),
"setup script failed => failure"
);
assert_eq!(
RunStats {
setup_scripts_initial_count: 2,
setup_scripts_finished_count: 2,
setup_scripts_exec_failed: 1,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Failed(RunStatsFailureKind::SetupScript),
"setup script exec failed => failure"
);
assert_eq!(
RunStats {
setup_scripts_initial_count: 2,
setup_scripts_finished_count: 2,
setup_scripts_timed_out: 1,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::Failed(RunStatsFailureKind::SetupScript),
"setup script timed out => failure"
);
assert_eq!(
RunStats {
setup_scripts_initial_count: 2,
setup_scripts_finished_count: 2,
setup_scripts_passed: 2,
..RunStats::default()
}
.summarize_final(),
FinalRunStats::NoTestsRun,
"setup scripts passed => success, but no tests run"
);
}
}