nextest_runner/runner/executor.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 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285
// Copyright (c) The nextest Contributors
// SPDX-License-Identifier: MIT OR Apache-2.0
//! The executor for tests.
//!
//! This component is responsible for running tests and reporting results to the
//! dispatcher.
//!
//! Note that the executor itself does not communicate directly with the outside
//! world. All communication is mediated by the dispatcher -- doing so is not
//! just a better abstraction, it also provides a better user experience (less
//! inconsistent state).
use super::HandleSignalResult;
use crate::{
config::{
EvaluatableProfile, RetryPolicy, ScriptConfig, ScriptId, SetupScriptCommand,
SetupScriptExecuteData, SlowTimeout, TestSettings,
},
double_spawn::DoubleSpawnInfo,
errors::{ChildError, ChildFdError, ChildStartError, ErrorList},
list::{TestExecuteContext, TestInstance, TestList},
reporter::events::{
AbortStatus, ExecutionResult, InfoResponse, RetryData, SetupScriptInfoResponse,
TestInfoResponse, UnitKind, UnitState,
},
runner::{
parse_env_file, ExecutorEvent, InternalExecuteStatus, InternalSetupScriptExecuteStatus,
InternalTerminateReason, RunUnitQuery, RunUnitRequest, SignalRequest, UnitExecuteStatus,
},
target_runner::TargetRunner,
test_command::{ChildAccumulator, ChildFds},
test_output::{CaptureStrategy, ChildExecutionOutput, ChildOutput, ChildSplitOutput},
time::{PausableSleep, StopwatchStart},
};
use nextest_metadata::FilterMatch;
use quick_junit::ReportUuid;
use rand::{distributions::OpenClosed01, thread_rng, Rng};
use std::{
num::NonZeroUsize,
pin::Pin,
process::{ExitStatus, Stdio},
sync::Arc,
time::Duration,
};
use tokio::{
process::Child,
sync::{
mpsc::{UnboundedReceiver, UnboundedSender},
oneshot,
},
};
use tracing::{debug, instrument};
#[derive(Debug)]
pub(super) struct ExecutorContext<'a> {
run_id: ReportUuid,
profile: &'a EvaluatableProfile<'a>,
test_list: &'a TestList<'a>,
double_spawn: DoubleSpawnInfo,
target_runner: TargetRunner,
capture_strategy: CaptureStrategy,
// This is Some if the user specifies a retry policy over the command-line.
force_retries: Option<RetryPolicy>,
}
impl<'a> ExecutorContext<'a> {
pub(super) fn new(
run_id: ReportUuid,
profile: &'a EvaluatableProfile<'a>,
test_list: &'a TestList<'a>,
double_spawn: DoubleSpawnInfo,
target_runner: TargetRunner,
capture_strategy: CaptureStrategy,
force_retries: Option<RetryPolicy>,
) -> Self {
Self {
run_id,
profile,
test_list,
double_spawn,
target_runner,
capture_strategy,
force_retries,
}
}
/// Run scripts, returning data about each successfully executed script.
pub(super) async fn run_setup_scripts(
&self,
resp_tx: UnboundedSender<ExecutorEvent<'a>>,
) -> SetupScriptExecuteData<'a> {
let setup_scripts = self.profile.setup_scripts(self.test_list);
let total = setup_scripts.len();
debug!("running {} setup scripts", total);
let mut setup_script_data = SetupScriptExecuteData::new();
// Run setup scripts one by one.
for (index, script) in setup_scripts.into_iter().enumerate() {
let this_resp_tx = resp_tx.clone();
let script_id = script.id.clone();
let config = script.config;
let script_fut = async move {
let (req_rx_tx, req_rx_rx) = oneshot::channel();
let _ = this_resp_tx.send(ExecutorEvent::SetupScriptStarted {
script_id: script_id.clone(),
config,
index,
total,
req_rx_tx,
});
let mut req_rx = match req_rx_rx.await {
Ok(req_rx) => req_rx,
Err(_) => {
// The receiver was dropped -- the dispatcher has
// signaled that this unit should exit.
return None;
}
};
let packet = SetupScriptPacket {
script_id: script_id.clone(),
config,
};
let status = self
.run_setup_script(packet, &this_resp_tx, &mut req_rx)
.await;
// Drain the request receiver, responding to any final requests
// that may have been sent.
drain_req_rx(req_rx, UnitExecuteStatus::SetupScript(&status));
let status = status.into_external();
let env_map = status.env_map.clone();
let _ = this_resp_tx.send(ExecutorEvent::SetupScriptFinished {
script_id,
config,
index,
total,
status,
});
env_map.map(|env_map| (script, env_map))
};
// Run this setup script to completion.
if let Some((script, env_map)) = script_fut.await {
setup_script_data.add_script(script, env_map);
}
}
setup_script_data
}
/// Returns a future that runs all attempts of a single test instance.
pub(super) async fn run_test_instance(
&self,
test_instance: TestInstance<'a>,
settings: TestSettings<'a>,
resp_tx: UnboundedSender<ExecutorEvent<'a>>,
setup_script_data: Arc<SetupScriptExecuteData<'a>>,
) {
debug!(test_name = test_instance.name, "running test");
let settings = Arc::new(settings);
let retry_policy = self.force_retries.unwrap_or_else(|| settings.retries());
let total_attempts = retry_policy.count() + 1;
let mut backoff_iter = BackoffIter::new(retry_policy);
if let FilterMatch::Mismatch { reason } = test_instance.test_info.filter_match {
// Failure to send means the receiver was dropped.
let _ = resp_tx.send(ExecutorEvent::Skipped {
test_instance,
reason,
});
return;
}
let (req_rx_tx, req_rx_rx) = oneshot::channel();
// Wait for the Started event to be processed by the
// execution future.
_ = resp_tx.send(ExecutorEvent::Started {
test_instance,
req_rx_tx,
});
let mut req_rx = match req_rx_rx.await {
Ok(rx) => rx,
Err(_) => {
// The receiver was dropped -- the dispatcher has signaled that this unit should
// exit.
return;
}
};
let mut attempt = 0;
let mut delay = Duration::ZERO;
let last_run_status = loop {
attempt += 1;
let retry_data = RetryData {
attempt,
total_attempts,
};
if retry_data.attempt > 1 {
// Ensure that the dispatcher believes the run is still ongoing.
// If the run is cancelled, the dispatcher will let us know by
// dropping the receiver.
let (tx, rx) = oneshot::channel();
_ = resp_tx.send(ExecutorEvent::RetryStarted {
test_instance,
retry_data,
tx,
});
match rx.await {
Ok(()) => {}
Err(_) => {
// The receiver was dropped -- the dispatcher has
// signaled that this unit should exit.
return;
}
}
}
// Some of this information is only useful for event reporting, but
// it's a lot easier to pass it in than to try and hook on
// additional information later.
let packet = TestPacket {
test_instance,
retry_data,
settings: settings.clone(),
setup_script_data: setup_script_data.clone(),
delay_before_start: delay,
};
let run_status = self.run_test(packet.clone(), &resp_tx, &mut req_rx).await;
if run_status.result.is_success() {
// The test succeeded.
break run_status;
} else if retry_data.attempt < retry_data.total_attempts {
// Retry this test: send a retry event, then retry the loop.
delay = backoff_iter
.next()
.expect("backoff delay must be non-empty");
let run_status = run_status.into_external();
let previous_result = run_status.result;
let previous_slow = run_status.is_slow;
let _ = resp_tx.send(ExecutorEvent::AttemptFailedWillRetry {
test_instance,
failure_output: settings.failure_output(),
run_status,
delay_before_next_attempt: delay,
});
handle_delay_between_attempts(
&packet,
previous_result,
previous_slow,
delay,
&mut req_rx,
)
.await;
} else {
// This test failed and is out of retries.
break run_status;
}
};
drain_req_rx(req_rx, UnitExecuteStatus::Test(&last_run_status));
// At this point, either:
// * the test has succeeded, or
// * the test has failed and we've run out of retries.
// In either case, the test is finished.
let last_run_status = last_run_status.into_external();
let _ = resp_tx.send(ExecutorEvent::Finished {
test_instance,
success_output: settings.success_output(),
failure_output: settings.failure_output(),
junit_store_success_output: settings.junit_store_success_output(),
junit_store_failure_output: settings.junit_store_failure_output(),
last_run_status,
});
}
// ---
// Helper methods
// ---
/// Run an individual setup script in its own process.
#[instrument(level = "debug", skip(self, resp_tx, req_rx))]
async fn run_setup_script(
&self,
script: SetupScriptPacket<'a>,
resp_tx: &UnboundedSender<ExecutorEvent<'a>>,
req_rx: &mut UnboundedReceiver<RunUnitRequest<'a>>,
) -> InternalSetupScriptExecuteStatus<'a> {
let mut stopwatch = crate::time::stopwatch();
match self
.run_setup_script_inner(script.clone(), &mut stopwatch, resp_tx, req_rx)
.await
{
Ok(status) => status,
Err(error) => InternalSetupScriptExecuteStatus {
script,
slow_after: None,
output: ChildExecutionOutput::StartError(error),
result: ExecutionResult::ExecFail,
stopwatch_end: stopwatch.snapshot(),
env_map: None,
},
}
}
#[instrument(level = "debug", skip(self, resp_tx, req_rx))]
async fn run_setup_script_inner(
&self,
script: SetupScriptPacket<'a>,
stopwatch: &mut StopwatchStart,
resp_tx: &UnboundedSender<ExecutorEvent<'a>>,
req_rx: &mut UnboundedReceiver<RunUnitRequest<'a>>,
) -> Result<InternalSetupScriptExecuteStatus<'a>, ChildStartError> {
let mut cmd = script.make_command(&self.double_spawn, self.test_list)?;
let command_mut = cmd.command_mut();
command_mut.env("NEXTEST_RUN_ID", format!("{}", self.run_id));
command_mut.stdin(Stdio::null());
super::os::set_process_group(command_mut);
// If creating a job fails, we might be on an old system. Ignore this -- job objects are a
// best-effort thing.
let job = super::os::Job::create().ok();
// The --no-capture CLI argument overrides the config.
if self.capture_strategy != CaptureStrategy::None {
if script.config.capture_stdout {
command_mut.stdout(std::process::Stdio::piped());
}
if script.config.capture_stderr {
command_mut.stderr(std::process::Stdio::piped());
}
}
let (mut child, env_path) = cmd
.spawn()
.map_err(|error| ChildStartError::Spawn(Arc::new(error)))?;
let child_pid = child
.id()
.expect("child has never been polled so must return a PID");
// If assigning the child to the job fails, ignore this. This can happen if the process has
// exited.
let _ = super::os::assign_process_to_job(&child, job.as_ref());
let mut status: Option<ExecutionResult> = None;
// Unlike with tests, we don't automatically assume setup scripts are slow if they take a
// long time. For example, consider a setup script that performs a cargo build -- it can
// take an indeterminate amount of time. That's why we set a very large slow timeout rather
// than the test default of 60 seconds.
let slow_timeout = script
.config
.slow_timeout
.unwrap_or(SlowTimeout::VERY_LARGE);
let leak_timeout = script
.config
.leak_timeout
.unwrap_or(Duration::from_millis(100));
let mut interval_sleep = std::pin::pin!(crate::time::pausable_sleep(slow_timeout.period));
let mut timeout_hit = 0;
let child_fds = ChildFds::new_split(child.stdout.take(), child.stderr.take());
let mut child_acc = ChildAccumulator::new(child_fds);
let mut cx = UnitContext {
packet: UnitPacket::SetupScript(script.clone()),
slow_after: None,
};
let (res, leaked) = {
let res = loop {
tokio::select! {
() = child_acc.fill_buf(), if !child_acc.fds.is_done() => {}
res = child.wait() => {
// The setup script finished executing.
break res;
}
_ = &mut interval_sleep, if status.is_none() => {
// Mark the script as slow.
cx.slow_after = Some(slow_timeout.period);
timeout_hit += 1;
let will_terminate = if let Some(terminate_after) = slow_timeout.terminate_after {
NonZeroUsize::new(timeout_hit as usize)
.expect("timeout_hit was just incremented")
>= terminate_after
} else {
false
};
if !slow_timeout.grace_period.is_zero() {
let _ = resp_tx.send(script.slow_event(
// Pass in the slow timeout period times timeout_hit, since
// stopwatch.elapsed() tends to be slightly longer.
timeout_hit * slow_timeout.period,
will_terminate.then_some(slow_timeout.grace_period),
));
}
if will_terminate {
// Attempt to terminate the slow script. As there is
// a race between shutting down a slow test and its
// own completion, we silently ignore errors to
// avoid printing false warnings.
//
// The return result of terminate_child is not used
// here, since it is always marked as a timeout.
_ = super::os::terminate_child(
&cx,
&mut child,
&mut child_acc,
InternalTerminateReason::Timeout,
stopwatch,
req_rx,
job.as_ref(),
slow_timeout.grace_period,
).await;
status = Some(ExecutionResult::Timeout);
if slow_timeout.grace_period.is_zero() {
break child.wait().await;
}
// Don't break here to give the wait task a chance to finish.
} else {
interval_sleep.as_mut().reset_last_duration();
}
}
recv = req_rx.recv() => {
// The sender stays open longer than the whole loop, and the buffer is big
// enough for all messages ever sent through this channel, so a RecvError
// should never happen.
let req = recv.expect("a RecvError should never happen here");
match req {
RunUnitRequest::Signal(req) => {
#[cfg_attr(not(windows), expect(unused_variables))]
let res = handle_signal_request(
&cx,
&mut child,
&mut child_acc,
req,
stopwatch,
interval_sleep.as_mut(),
req_rx,
job.as_ref(),
slow_timeout.grace_period
).await;
// On Unix, the signal the process exited with
// will be picked up by child.wait. On Windows,
// termination by job object will show up as
// exit code 1 -- we need to be clearer about
// that in the UI.
//
// TODO: Can we do something useful with res on
// Unix? For example, it's possible that the
// signal we send is not the same as the signal
// the child exits with. This might be a good
// thing to store in whatever test event log we
// end up building.
#[cfg(windows)]
{
if matches!(
res,
HandleSignalResult::Terminated(super::TerminateChildResult::Killed)
) {
status = Some(ExecutionResult::Fail {
abort_status: Some(AbortStatus::JobObject),
leaked: false,
});
}
}
}
RunUnitRequest::OtherCancel => {
// Ignore non-signal cancellation requests --
// let the script finish.
}
RunUnitRequest::Query(RunUnitQuery::GetInfo(sender)) => {
_ = sender.send(script.info_response(
UnitState::Running {
pid: child_pid,
time_taken: stopwatch.snapshot().active,
slow_after: cx.slow_after,
},
child_acc.snapshot_in_progress(UnitKind::WAITING_ON_SCRIPT_MESSAGE),
));
}
}
}
}
};
// Build a tentative status using status and the exit status.
let tentative_status = status.or_else(|| {
res.as_ref()
.ok()
.map(|res| create_execution_result(*res, &child_acc.errors, false))
});
let leaked = detect_fd_leaks(
&cx,
child_pid,
&mut child_acc,
tentative_status,
leak_timeout,
stopwatch,
req_rx,
)
.await;
(res, leaked)
};
let exit_status = match res {
Ok(exit_status) => Some(exit_status),
Err(err) => {
child_acc.errors.push(ChildFdError::Wait(Arc::new(err)));
None
}
};
let exit_status = exit_status.expect("None always results in early return");
let exec_result = status
.unwrap_or_else(|| create_execution_result(exit_status, &child_acc.errors, leaked));
// Read from the environment map. If there's an error here, add it to the list of child errors.
let mut errors: Vec<_> = child_acc.errors.into_iter().map(ChildError::from).collect();
let env_map = if exec_result.is_success() {
match parse_env_file(&env_path).await {
Ok(env_map) => Some(env_map),
Err(error) => {
errors.push(ChildError::SetupScriptOutput(error));
None
}
}
} else {
None
};
Ok(InternalSetupScriptExecuteStatus {
script,
slow_after: cx.slow_after,
output: ChildExecutionOutput::Output {
result: Some(exec_result),
output: child_acc.output.freeze(),
errors: ErrorList::new(UnitKind::WAITING_ON_SCRIPT_MESSAGE, errors),
},
result: exec_result,
stopwatch_end: stopwatch.snapshot(),
env_map,
})
}
/// Run an individual test in its own process.
#[instrument(level = "debug", skip(self, resp_tx, req_rx))]
async fn run_test(
&self,
test: TestPacket<'a>,
resp_tx: &UnboundedSender<ExecutorEvent<'a>>,
req_rx: &mut UnboundedReceiver<RunUnitRequest<'a>>,
) -> InternalExecuteStatus<'a> {
let mut stopwatch = crate::time::stopwatch();
match self
.run_test_inner(test.clone(), &mut stopwatch, resp_tx, req_rx)
.await
{
Ok(run_status) => run_status,
Err(error) => InternalExecuteStatus {
test,
slow_after: None,
output: ChildExecutionOutput::StartError(error),
result: ExecutionResult::ExecFail,
stopwatch_end: stopwatch.snapshot(),
},
}
}
#[instrument(level = "debug", skip(self, resp_tx, req_rx))]
async fn run_test_inner<'test>(
&self,
test: TestPacket<'a>,
stopwatch: &mut StopwatchStart,
resp_tx: &UnboundedSender<ExecutorEvent<'a>>,
req_rx: &mut UnboundedReceiver<RunUnitRequest<'a>>,
) -> Result<InternalExecuteStatus<'a>, ChildStartError> {
let ctx = TestExecuteContext {
double_spawn: &self.double_spawn,
target_runner: &self.target_runner,
};
let mut cmd =
test.test_instance
.make_command(&ctx, self.test_list, test.settings.run_extra_args());
let command_mut = cmd.command_mut();
// Debug environment variable for testing.
command_mut.env("__NEXTEST_ATTEMPT", format!("{}", test.retry_data.attempt));
command_mut.env("NEXTEST_RUN_ID", format!("{}", self.run_id));
command_mut.stdin(Stdio::null());
test.setup_script_data.apply(
&test.test_instance.to_test_query(),
&self.profile.filterset_ecx(),
command_mut,
);
super::os::set_process_group(command_mut);
// If creating a job fails, we might be on an old system. Ignore this -- job objects are a
// best-effort thing.
let job = super::os::Job::create().ok();
let crate::test_command::Child {
mut child,
child_fds,
} = cmd
.spawn(self.capture_strategy)
.map_err(|error| ChildStartError::Spawn(Arc::new(error)))?;
// Note: The PID stored here must be used with care -- it might be
// outdated and have been reused by the kernel in case the process
// has exited. If using for any real logic (not just reporting) it
// might be best to always check child.id().
let child_pid = child
.id()
.expect("child has never been polled so must return a PID");
// If assigning the child to the job fails, ignore this. This can happen if the process has
// exited.
let _ = super::os::assign_process_to_job(&child, job.as_ref());
let mut child_acc = ChildAccumulator::new(child_fds);
let mut status: Option<ExecutionResult> = None;
let slow_timeout = test.settings.slow_timeout();
let leak_timeout = test.settings.leak_timeout();
// Use a pausable_sleep rather than an interval here because it's much
// harder to pause and resume an interval.
let mut interval_sleep = std::pin::pin!(crate::time::pausable_sleep(slow_timeout.period));
let mut timeout_hit = 0;
let mut cx = UnitContext {
packet: UnitPacket::Test(test.clone()),
slow_after: None,
};
let (res, leaked) = {
let res = loop {
tokio::select! {
() = child_acc.fill_buf(), if !child_acc.fds.is_done() => {}
res = child.wait() => {
// The test finished executing.
break res;
}
_ = &mut interval_sleep, if status.is_none() => {
// Mark the test as slow.
cx.slow_after = Some(slow_timeout.period);
timeout_hit += 1;
let will_terminate = if let Some(terminate_after) = slow_timeout.terminate_after {
NonZeroUsize::new(timeout_hit as usize)
.expect("timeout_hit was just incremented")
>= terminate_after
} else {
false
};
if !slow_timeout.grace_period.is_zero() {
let _ = resp_tx.send(test.slow_event(
// Pass in the slow timeout period times timeout_hit, since
// stopwatch.elapsed() tends to be slightly longer.
timeout_hit * slow_timeout.period,
will_terminate.then_some(slow_timeout.grace_period),
));
}
if will_terminate {
// Attempt to terminate the slow test. As there is a
// race between shutting down a slow test and its
// own completion, we silently ignore errors to
// avoid printing false warnings.
//
// The return result of terminate_child is not used
// here, since it is always marked as a timeout.
_ = super::os::terminate_child(
&cx,
&mut child,
&mut child_acc,
InternalTerminateReason::Timeout,
stopwatch,
req_rx,
job.as_ref(),
slow_timeout.grace_period,
).await;
status = Some(ExecutionResult::Timeout);
if slow_timeout.grace_period.is_zero() {
break child.wait().await;
}
// Don't break here to give the wait task a chance to finish.
} else {
interval_sleep.as_mut().reset_last_duration();
}
}
recv = req_rx.recv() => {
// The sender stays open longer than the whole loop so a
// RecvError should never happen.
let req = recv.expect("req_rx sender is open");
match req {
RunUnitRequest::Signal(req) => {
#[cfg_attr(not(windows), expect(unused_variables))]
let res = handle_signal_request(
&cx,
&mut child,
&mut child_acc,
req,
stopwatch,
interval_sleep.as_mut(),
req_rx,
job.as_ref(),
slow_timeout.grace_period,
).await;
// On Unix, the signal the process exited with
// will be picked up by child.wait. On Windows,
// termination by job object will show up as
// exit code 1 -- we need to be clearer about
// that in the UI.
//
// TODO: Can we do something useful with res on
// Unix? For example, it's possible that the
// signal we send is not the same as the signal
// the child exits with. This might be a good
// thing to store in whatever test event log we
// end up building.
#[cfg(windows)]
{
if matches!(
res,
HandleSignalResult::Terminated(super::TerminateChildResult::Killed)
) {
status = Some(ExecutionResult::Fail {
abort_status: Some(AbortStatus::JobObject),
leaked: false,
});
}
}
}
RunUnitRequest::OtherCancel => {
// Ignore non-signal cancellation requests --
// let the test finish.
}
RunUnitRequest::Query(RunUnitQuery::GetInfo(tx)) => {
_ = tx.send(test.info_response(
UnitState::Running {
pid: child_pid,
time_taken: stopwatch.snapshot().active,
slow_after: cx.slow_after,
},
child_acc.snapshot_in_progress(UnitKind::WAITING_ON_TEST_MESSAGE),
));
}
}
}
};
};
// Build a tentative status using status and the exit status.
let tentative_status = status.or_else(|| {
res.as_ref()
.ok()
.map(|res| create_execution_result(*res, &child_acc.errors, false))
});
let leaked = detect_fd_leaks(
&cx,
child_pid,
&mut child_acc,
tentative_status,
leak_timeout,
stopwatch,
req_rx,
)
.await;
(res, leaked)
};
let exit_status = match res {
Ok(exit_status) => Some(exit_status),
Err(err) => {
child_acc.errors.push(ChildFdError::Wait(Arc::new(err)));
None
}
};
let exit_status = exit_status.expect("None always results in early return");
let exec_result = status
.unwrap_or_else(|| create_execution_result(exit_status, &child_acc.errors, leaked));
Ok(InternalExecuteStatus {
test,
slow_after: cx.slow_after,
output: ChildExecutionOutput::Output {
result: Some(exec_result),
output: child_acc.output.freeze(),
errors: ErrorList::new(UnitKind::WAITING_ON_TEST_MESSAGE, child_acc.errors),
},
result: exec_result,
stopwatch_end: stopwatch.snapshot(),
})
}
}
#[derive(Debug)]
struct BackoffIter {
policy: RetryPolicy,
current_factor: f64,
remaining_attempts: usize,
}
impl BackoffIter {
const BACKOFF_EXPONENT: f64 = 2.;
fn new(policy: RetryPolicy) -> Self {
let remaining_attempts = policy.count();
Self {
policy,
current_factor: 1.,
remaining_attempts,
}
}
fn next_delay_and_jitter(&mut self) -> (Duration, bool) {
match self.policy {
RetryPolicy::Fixed { delay, jitter, .. } => (delay, jitter),
RetryPolicy::Exponential {
delay,
jitter,
max_delay,
..
} => {
let factor = self.current_factor;
let exp_delay = delay.mul_f64(factor);
// Stop multiplying the exponential factor if delay is greater than max_delay.
if let Some(max_delay) = max_delay {
if exp_delay > max_delay {
return (max_delay, jitter);
}
}
let next_factor = self.current_factor * Self::BACKOFF_EXPONENT;
self.current_factor = next_factor;
(exp_delay, jitter)
}
}
}
fn apply_jitter(duration: Duration) -> Duration {
let jitter: f64 = thread_rng().sample(OpenClosed01);
// Apply jitter in the range (0.5, 1].
duration.mul_f64(0.5 + jitter / 2.)
}
}
impl Iterator for BackoffIter {
type Item = Duration;
fn next(&mut self) -> Option<Self::Item> {
if self.remaining_attempts > 0 {
let (mut delay, jitter) = self.next_delay_and_jitter();
if jitter {
delay = Self::apply_jitter(delay);
}
self.remaining_attempts -= 1;
Some(delay)
} else {
None
}
}
}
/// Either a test or a setup script, along with information about how long the
/// test took.
pub(super) struct UnitContext<'a> {
packet: UnitPacket<'a>,
// TODO: This is a bit of a mess. It isn't clear where this kind of state
// should live -- many parts of the request-response system need various
// pieces of this code.
slow_after: Option<Duration>,
}
impl<'a> UnitContext<'a> {
pub(super) fn packet(&self) -> &UnitPacket<'a> {
&self.packet
}
pub(super) fn info_response(
&self,
state: UnitState,
output: ChildExecutionOutput,
) -> InfoResponse<'a> {
match &self.packet {
UnitPacket::SetupScript(packet) => packet.info_response(state, output),
UnitPacket::Test(packet) => packet.info_response(state, output),
}
}
}
#[derive(Clone, Debug)]
pub(super) enum UnitPacket<'a> {
SetupScript(SetupScriptPacket<'a>),
Test(TestPacket<'a>),
}
impl UnitPacket<'_> {
pub(super) fn kind(&self) -> UnitKind {
match self {
Self::SetupScript(_) => UnitKind::Script,
Self::Test(_) => UnitKind::Test,
}
}
}
#[derive(Clone, Debug)]
pub(super) struct TestPacket<'a> {
test_instance: TestInstance<'a>,
retry_data: RetryData,
settings: Arc<TestSettings<'a>>,
setup_script_data: Arc<SetupScriptExecuteData<'a>>,
delay_before_start: Duration,
}
impl<'a> TestPacket<'a> {
fn slow_event(&self, elapsed: Duration, will_terminate: Option<Duration>) -> ExecutorEvent<'a> {
ExecutorEvent::Slow {
test_instance: self.test_instance,
retry_data: self.retry_data,
elapsed,
will_terminate,
}
}
pub(super) fn retry_data(&self) -> RetryData {
self.retry_data
}
pub(super) fn delay_before_start(&self) -> Duration {
self.delay_before_start
}
pub(super) fn info_response(
&self,
state: UnitState,
output: ChildExecutionOutput,
) -> InfoResponse<'a> {
InfoResponse::Test(TestInfoResponse {
test_instance: self.test_instance.id(),
state,
retry_data: self.retry_data,
output,
})
}
}
#[derive(Clone, Debug)]
pub(super) struct SetupScriptPacket<'a> {
script_id: ScriptId,
config: &'a ScriptConfig,
}
impl<'a> SetupScriptPacket<'a> {
/// Turns self into a command that can be executed.
fn make_command(
&self,
double_spawn: &DoubleSpawnInfo,
test_list: &TestList<'_>,
) -> Result<SetupScriptCommand, ChildStartError> {
SetupScriptCommand::new(self.config, double_spawn, test_list)
}
fn slow_event(&self, elapsed: Duration, will_terminate: Option<Duration>) -> ExecutorEvent<'a> {
ExecutorEvent::SetupScriptSlow {
script_id: self.script_id.clone(),
config: self.config,
elapsed,
will_terminate,
}
}
pub(super) fn info_response(
&self,
state: UnitState,
output: ChildExecutionOutput,
) -> InfoResponse<'a> {
InfoResponse::SetupScript(SetupScriptInfoResponse {
script_id: self.script_id.clone(),
command: self.config.program(),
args: self.config.args(),
state,
output,
})
}
}
/// Drains the request receiver of any messages.
fn drain_req_rx<'a>(
mut receiver: UnboundedReceiver<RunUnitRequest<'a>>,
status: UnitExecuteStatus<'a, '_>,
) {
// Mark the receiver closed so no further messages are sent.
receiver.close();
loop {
// Receive anything that's left in the receiver.
let message = receiver.try_recv();
match message {
Ok(message) => {
message.drain(status);
}
Err(_) => {
break;
}
}
}
}
async fn handle_delay_between_attempts<'a>(
packet: &TestPacket<'a>,
previous_result: ExecutionResult,
previous_slow: bool,
delay: Duration,
req_rx: &mut UnboundedReceiver<RunUnitRequest<'a>>,
) {
let mut sleep = std::pin::pin!(crate::time::pausable_sleep(delay));
#[cfg_attr(not(unix), expect(unused_mut))]
let mut waiting_stopwatch = crate::time::stopwatch();
loop {
tokio::select! {
_ = &mut sleep => {
// The timer has expired.
break;
}
recv = req_rx.recv() => {
let req = recv.expect("req_rx sender is open");
match req {
#[cfg(unix)]
RunUnitRequest::Signal(SignalRequest::Stop(tx)) => {
sleep.as_mut().pause();
waiting_stopwatch.pause();
_ = tx.send(());
}
#[cfg(unix)]
RunUnitRequest::Signal(SignalRequest::Continue) => {
if sleep.is_paused() {
sleep.as_mut().resume();
waiting_stopwatch.resume();
}
}
RunUnitRequest::Signal(SignalRequest::Shutdown(_)) => {
// The run was cancelled, so go ahead and perform a
// shutdown.
break;
}
RunUnitRequest::OtherCancel => {
// If a cancellation was requested, break out of the
// loop.
break;
}
RunUnitRequest::Query(RunUnitQuery::GetInfo(tx)) => {
let waiting_snapshot = waiting_stopwatch.snapshot();
_ = tx.send(
packet.info_response(
UnitState::DelayBeforeNextAttempt {
previous_result,
previous_slow,
waiting_duration: waiting_snapshot.active,
remaining: delay
.checked_sub(waiting_snapshot.active)
.unwrap_or_default(),
},
// This field is ignored but our data model
// requires it.
ChildExecutionOutput::Output {
result: None,
output: ChildOutput::Split(ChildSplitOutput {
stdout: None,
stderr: None,
}),
errors: None,
},
),
);
}
}
}
}
}
}
/// After a child process has exited, detect if it leaked file handles by
/// leaving long-running grandchildren open.
///
/// This is done by waiting for a short period of time after the child has
/// exited, and checking if stdout and stderr are still open. In the future, we
/// could do more sophisticated checks around e.g. if any processes with the
/// same PGID are around.
async fn detect_fd_leaks<'a>(
cx: &UnitContext<'a>,
child_pid: u32,
child_acc: &mut ChildAccumulator,
tentative_result: Option<ExecutionResult>,
leak_timeout: Duration,
stopwatch: &mut StopwatchStart,
req_rx: &mut UnboundedReceiver<RunUnitRequest<'a>>,
) -> bool {
loop {
// Ignore stop and continue events here since the leak timeout should be very small.
// TODO: we may want to consider them.
let mut sleep = std::pin::pin!(tokio::time::sleep(leak_timeout));
let waiting_stopwatch = crate::time::stopwatch();
tokio::select! {
// All of the branches here need to check for
// `!child_acc.fds.is_done()`, because if child_fds is done we want
// to hit the `else` block right away.
() = child_acc.fill_buf(), if !child_acc.fds.is_done() => {}
() = &mut sleep, if !child_acc.fds.is_done() => {
break true;
}
recv = req_rx.recv(), if !child_acc.fds.is_done() => {
// The sender stays open longer than the whole loop, and the
// buffer is big enough for all messages ever sent through this
// channel, so a RecvError should never happen.
let req = recv.expect("a RecvError should never happen here");
match req {
RunUnitRequest::Signal(_) => {
// The process is done executing, so signals are moot.
}
RunUnitRequest::OtherCancel => {
// Ignore non-signal cancellation requests -- let the
// unit finish.
}
RunUnitRequest::Query(RunUnitQuery::GetInfo(sender)) => {
let snapshot = waiting_stopwatch.snapshot();
let resp = cx.info_response(
UnitState::Exiting {
// Because we've polled that the child is done,
// child.id() will likely return None at this
// point. Use the cached PID since this is just
// for reporting.
pid: child_pid,
time_taken: stopwatch.snapshot().active,
slow_after: cx.slow_after,
tentative_result,
waiting_duration: snapshot.active,
remaining: leak_timeout
.checked_sub(snapshot.active)
.unwrap_or_default(),
},
child_acc.snapshot_in_progress(cx.packet.kind().waiting_on_message()),
);
_ = sender.send(resp);
}
}
}
else => {
break false;
}
}
}
}
// It would be nice to fix this function to not have so many arguments, but this
// code is actively being refactored right now and imposing too much structure
// can cause more harm than good.
#[expect(clippy::too_many_arguments)]
async fn handle_signal_request<'a>(
cx: &UnitContext<'a>,
child: &mut Child,
child_acc: &mut ChildAccumulator,
req: SignalRequest,
stopwatch: &mut StopwatchStart,
// These annotations are needed to silence lints on non-Unix platforms.
//
// It would be nice to use an expect lint here, but Rust 1.81 appears to
// have a bug where it complains about expectations not being fulfilled on
// Windows, even though they are in reality. The bug is fixed in Rust 1.83,
// so we should switch to expect after the MSRV is bumped to 1.83+.
#[cfg_attr(not(unix), allow(unused_mut, unused_variables))] mut interval_sleep: Pin<
&mut PausableSleep,
>,
req_rx: &mut UnboundedReceiver<RunUnitRequest<'a>>,
job: Option<&super::os::Job>,
grace_period: Duration,
) -> HandleSignalResult {
match req {
#[cfg(unix)]
SignalRequest::Stop(sender) => {
// It isn't possible to receive a stop event twice since it gets
// debounced in the main signal handler.
stopwatch.pause();
interval_sleep.as_mut().pause();
super::os::job_control_child(child, crate::signal::JobControlEvent::Stop);
// The receiver being dead probably means the main thread panicked
// or similar.
let _ = sender.send(());
HandleSignalResult::JobControl
}
#[cfg(unix)]
SignalRequest::Continue => {
// It's possible to receive a resume event right at the beginning of
// test execution, so debounce it.
if stopwatch.is_paused() {
stopwatch.resume();
interval_sleep.as_mut().resume();
super::os::job_control_child(child, crate::signal::JobControlEvent::Continue);
}
HandleSignalResult::JobControl
}
SignalRequest::Shutdown(event) => {
let res = super::os::terminate_child(
cx,
child,
child_acc,
InternalTerminateReason::Signal(event),
stopwatch,
req_rx,
job,
grace_period,
)
.await;
HandleSignalResult::Terminated(res)
}
}
}
fn create_execution_result(
exit_status: ExitStatus,
child_errors: &[ChildFdError],
leaked: bool,
) -> ExecutionResult {
if !child_errors.is_empty() {
// If an error occurred while waiting on the child handles, treat it as
// an execution failure.
ExecutionResult::ExecFail
} else if exit_status.success() {
if leaked {
ExecutionResult::Leak
} else {
ExecutionResult::Pass
}
} else {
ExecutionResult::Fail {
abort_status: AbortStatus::extract(exit_status),
leaked,
}
}
}