-
Notifications
You must be signed in to change notification settings - Fork 4.1k
/
Copy pathRemoteSpawnRunner.java
746 lines (684 loc) · 30.4 KB
/
RemoteSpawnRunner.java
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
// Copyright 2017 The Bazel Authors. All rights reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package com.google.devtools.build.lib.remote;
import static com.google.common.base.Preconditions.checkNotNull;
import static com.google.devtools.build.lib.profiler.ProfilerTask.FETCH;
import static com.google.devtools.build.lib.profiler.ProfilerTask.REMOTE_DOWNLOAD;
import static com.google.devtools.build.lib.profiler.ProfilerTask.REMOTE_EXECUTION;
import static com.google.devtools.build.lib.profiler.ProfilerTask.REMOTE_PROCESS_TIME;
import static com.google.devtools.build.lib.profiler.ProfilerTask.REMOTE_QUEUE;
import static com.google.devtools.build.lib.profiler.ProfilerTask.REMOTE_SETUP;
import static com.google.devtools.build.lib.profiler.ProfilerTask.UPLOAD_TIME;
import static com.google.devtools.build.lib.remote.util.Utils.createExecExceptionForCredentialHelperException;
import static com.google.devtools.build.lib.remote.util.Utils.createExecExceptionFromRemoteExecutionCapabilitiesException;
import static com.google.devtools.build.lib.remote.util.Utils.createSpawnResult;
import static java.lang.Math.max;
import build.bazel.remote.execution.v2.ExecuteOperationMetadata;
import build.bazel.remote.execution.v2.ExecuteResponse;
import build.bazel.remote.execution.v2.ExecutedActionMetadata;
import build.bazel.remote.execution.v2.ExecutionStage.Value;
import com.google.common.annotations.VisibleForTesting;
import com.google.common.base.Preconditions;
import com.google.common.base.Stopwatch;
import com.google.common.util.concurrent.ListeningScheduledExecutorService;
import com.google.devtools.build.lib.actions.ActionInput;
import com.google.devtools.build.lib.actions.CommandLines.ParamFileActionInput;
import com.google.devtools.build.lib.actions.ExecException;
import com.google.devtools.build.lib.actions.ForbiddenActionInputException;
import com.google.devtools.build.lib.actions.Spawn;
import com.google.devtools.build.lib.actions.SpawnMetrics;
import com.google.devtools.build.lib.actions.SpawnResult;
import com.google.devtools.build.lib.actions.SpawnResult.Status;
import com.google.devtools.build.lib.actions.cache.VirtualActionInput;
import com.google.devtools.build.lib.authandtls.credentialhelper.CredentialHelperException;
import com.google.devtools.build.lib.clock.BlazeClock;
import com.google.devtools.build.lib.clock.BlazeClock.MillisSinceEpochToNanosConverter;
import com.google.devtools.build.lib.concurrent.ThreadSafety.ThreadSafe;
import com.google.devtools.build.lib.events.Event;
import com.google.devtools.build.lib.events.Reporter;
import com.google.devtools.build.lib.exec.AbstractSpawnStrategy;
import com.google.devtools.build.lib.exec.ExecutionOptions;
import com.google.devtools.build.lib.exec.RemoteLocalFallbackRegistry;
import com.google.devtools.build.lib.exec.SpawnCheckingCacheEvent;
import com.google.devtools.build.lib.exec.SpawnExecutingEvent;
import com.google.devtools.build.lib.exec.SpawnRunner;
import com.google.devtools.build.lib.exec.SpawnSchedulingEvent;
import com.google.devtools.build.lib.profiler.Profiler;
import com.google.devtools.build.lib.profiler.ProfilerTask;
import com.google.devtools.build.lib.profiler.SilentCloseable;
import com.google.devtools.build.lib.remote.RemoteExecutionService.RemoteActionResult;
import com.google.devtools.build.lib.remote.RemoteExecutionService.ServerLogs;
import com.google.devtools.build.lib.remote.circuitbreaker.CircuitBreakerFactory;
import com.google.devtools.build.lib.remote.common.BulkTransferException;
import com.google.devtools.build.lib.remote.common.OperationObserver;
import com.google.devtools.build.lib.remote.common.RemoteExecutionCapabilitiesException;
import com.google.devtools.build.lib.remote.options.RemoteOptions;
import com.google.devtools.build.lib.remote.util.DigestUtil;
import com.google.devtools.build.lib.remote.util.Utils;
import com.google.devtools.build.lib.remote.util.Utils.InMemoryOutput;
import com.google.devtools.build.lib.server.FailureDetails;
import com.google.devtools.build.lib.server.FailureDetails.FailureDetail;
import com.google.devtools.build.lib.util.ExitCode;
import com.google.devtools.build.lib.util.io.FileOutErr;
import com.google.devtools.build.lib.vfs.Path;
import com.google.devtools.build.lib.vfs.PathFragment;
import com.google.longrunning.Operation;
import com.google.protobuf.Timestamp;
import com.google.protobuf.util.Durations;
import com.google.protobuf.util.Timestamps;
import io.grpc.Status.Code;
import java.io.IOException;
import java.time.Duration;
import java.util.HashMap;
import java.util.Map;
import java.util.SortedMap;
import java.util.concurrent.atomic.AtomicBoolean;
import java.util.function.Supplier;
import javax.annotation.Nullable;
/** A client for the remote execution service. */
@ThreadSafe
public class RemoteSpawnRunner implements SpawnRunner {
private static final SpawnCheckingCacheEvent SPAWN_CHECKING_CACHE_EVENT =
SpawnCheckingCacheEvent.create("remote");
private static final SpawnSchedulingEvent SPAWN_SCHEDULING_EVENT =
SpawnSchedulingEvent.create("remote");
private static final SpawnExecutingEvent SPAWN_EXECUTING_EVENT =
SpawnExecutingEvent.create("remote");
private final Path execRoot;
private final RemoteOptions remoteOptions;
private final ExecutionOptions executionOptions;
private final boolean verboseFailures;
@Nullable private final Reporter cmdlineReporter;
private final RemoteRetrier retrier;
private final Path logDir;
private final RemoteExecutionService remoteExecutionService;
private final DigestUtil digestUtil;
// Used to ensure that a warning is reported only once.
private final AtomicBoolean warningReported = new AtomicBoolean();
RemoteSpawnRunner(
Path execRoot,
RemoteOptions remoteOptions,
ExecutionOptions executionOptions,
boolean verboseFailures,
@Nullable Reporter cmdlineReporter,
ListeningScheduledExecutorService retryService,
Path logDir,
RemoteExecutionService remoteExecutionService,
DigestUtil digestUtil) {
this.execRoot = execRoot;
this.remoteOptions = remoteOptions;
this.executionOptions = executionOptions;
this.verboseFailures = verboseFailures;
this.cmdlineReporter = cmdlineReporter;
this.retrier = createExecuteRetrier(remoteOptions, retryService);
this.logDir = logDir;
this.remoteExecutionService = remoteExecutionService;
this.digestUtil = digestUtil;
}
@VisibleForTesting
RemoteExecutionService getRemoteExecutionService() {
return remoteExecutionService;
}
@Override
public String getName() {
return "remote";
}
class ExecutingStatusReporter implements OperationObserver {
private boolean reportedExecuting = false;
private final SpawnExecutionContext context;
ExecutingStatusReporter(SpawnExecutionContext context) {
this.context = context;
}
@Override
public void onNext(Operation o) throws IOException {
if (!reportedExecuting) {
if (o.getMetadata().is(ExecuteOperationMetadata.class)) {
ExecuteOperationMetadata metadata =
o.getMetadata().unpack(ExecuteOperationMetadata.class);
if (metadata.getStage() == Value.EXECUTING) {
reportExecuting();
}
} else {
// If the server didn't return metadata, we can't know the accurate execution status, so
// assuming that the action is accepted by the server and will be executed ASAP.
reportExecuting();
}
}
}
public void reportExecuting() {
context.report(SPAWN_EXECUTING_EVENT);
reportedExecuting = true;
}
public void reportExecutingIfNot() {
if (!reportedExecuting) {
reportExecuting();
}
}
}
@Override
public SpawnResult exec(Spawn spawn, SpawnExecutionContext context)
throws ExecException, InterruptedException, IOException, ForbiddenActionInputException {
Preconditions.checkArgument(
remoteExecutionService.mayBeExecutedRemotely(spawn),
"Spawn can't be executed remotely. This is a bug.");
Stopwatch totalTime = Stopwatch.createStarted();
boolean acceptCachedResult = remoteExecutionService.getReadCachePolicy(spawn).allowAnyCache();
boolean uploadLocalResults = remoteExecutionService.getWriteCachePolicy(spawn).allowAnyCache();
RemoteAction action = remoteExecutionService.buildRemoteAction(spawn, context);
context.setDigest(digestUtil.asSpawnLogProto(action.getActionKey()));
SpawnMetrics.Builder spawnMetrics =
SpawnMetrics.Builder.forRemoteExec()
.setInputBytes(action.getInputBytes())
.setInputFiles(action.getInputFiles());
maybeWriteParamFilesLocally(spawn);
spawnMetrics.setParseTimeInMs((int) totalTime.elapsed().toMillis());
Profiler prof = Profiler.instance();
try {
context.report(SPAWN_CHECKING_CACHE_EVENT);
// Try to lookup the action in the action cache.
RemoteActionResult cachedResult;
try (SilentCloseable c = prof.profile(ProfilerTask.REMOTE_CACHE_CHECK, "check cache hit")) {
cachedResult = acceptCachedResult ? remoteExecutionService.lookupCache(action) : null;
}
if (cachedResult != null) {
if (cachedResult.getExitCode() != 0) {
// Failed actions are treated as a cache miss mostly in order to avoid caching flaky
// actions (tests).
// Set acceptCachedResult to false in order to force the action re-execution
acceptCachedResult = false;
} else {
try {
return downloadAndFinalizeSpawnResult(
action,
cachedResult,
/* cacheHit= */ true,
cachedResult.cacheName(),
spawn,
totalTime,
() -> action.getNetworkTime().getDuration(),
spawnMetrics);
} catch (BulkTransferException e) {
if (!e.allCausedByCacheNotFoundException()) {
throw e;
}
// No cache hit, so we fall through to local or remote execution.
// We set acceptCachedResult to false in order to force the action re-execution.
acceptCachedResult = false;
}
}
}
} catch (CredentialHelperException e) {
throw createExecExceptionForCredentialHelperException(e);
} catch (IOException e) {
return execLocallyAndUploadOrFail(action, spawn, context, uploadLocalResults, e);
}
if (remoteOptions.remoteRequireCached) {
return new SpawnResult.Builder()
.setStatus(SpawnResult.Status.EXECUTION_DENIED)
.setExitCode(1)
.setFailureMessage(
"Action must be cached due to --experimental_remote_require_cached but it is not")
.setFailureDetail(
FailureDetail.newBuilder()
.setSpawn(
FailureDetails.Spawn.newBuilder()
.setCode(FailureDetails.Spawn.Code.EXECUTION_DENIED))
.build())
.setRunnerName("remote")
.build();
}
AtomicBoolean useCachedResult = new AtomicBoolean(acceptCachedResult);
AtomicBoolean forceUploadInput = new AtomicBoolean(false);
try {
return retrier.execute(
() -> {
// Upload the command and all the inputs into the remote cache.
try (SilentCloseable c = prof.profile(UPLOAD_TIME, "upload missing inputs")) {
Duration networkTimeStart = action.getNetworkTime().getDuration();
Stopwatch uploadTime = Stopwatch.createStarted();
// Upon retry, we force upload inputs
remoteExecutionService.uploadInputsIfNotPresent(
action, forceUploadInput.getAndSet(true));
// subtract network time consumed here to ensure wall clock during upload is not
// double
// counted, and metrics time computation does not exceed total time
spawnMetrics.setUploadTimeInMs(
(int)
uploadTime
.elapsed()
.minus(action.getNetworkTime().getDuration().minus(networkTimeStart))
.toMillis());
}
context.report(SPAWN_SCHEDULING_EVENT);
ExecutingStatusReporter reporter = new ExecutingStatusReporter(context);
long clampTimeNanos; // See comment in logProfileTask.
RemoteActionResult result;
try (SilentCloseable c = prof.profile(REMOTE_EXECUTION, "execute remotely")) {
clampTimeNanos = Profiler.nanoTimeMaybe();
result =
remoteExecutionService.executeRemotely(action, useCachedResult.get(), reporter);
}
// In case of replies from server contains metadata, but none of them has EXECUTING
// status.
// It's already late at this stage, but we should at least report once.
reporter.reportExecutingIfNot();
maybePrintExecutionMessages(context, result.getMessage(), result.success());
profileAccounting(clampTimeNanos, result.getExecutionMetadata());
spawnMetricsAccounting(spawnMetrics, result.getExecutionMetadata());
try (SilentCloseable c = prof.profile(REMOTE_DOWNLOAD, "download server logs")) {
maybeDownloadServerLogs(action, result.getResponse());
}
try {
return downloadAndFinalizeSpawnResult(
action,
result,
result.cacheHit(),
getName(),
spawn,
totalTime,
() -> action.getNetworkTime().getDuration(),
spawnMetrics);
} catch (BulkTransferException e) {
if (e.allCausedByCacheNotFoundException()) {
// No cache hit, so if we retry this execution, we must no longer accept
// cached results, it must be reexecuted
useCachedResult.set(false);
}
throw e;
}
});
} catch (CredentialHelperException e) {
throw createExecExceptionForCredentialHelperException(e);
} catch (IOException e) {
return execLocallyAndUploadOrFail(action, spawn, context, uploadLocalResults, e);
}
}
private static void profileAccounting(
long clampTimeNanos, ExecutedActionMetadata executedActionMetadata) {
MillisSinceEpochToNanosConverter converter =
BlazeClock.createMillisSinceEpochToNanosConverter();
logProfileTask(
converter,
executedActionMetadata.getQueuedTimestamp(),
executedActionMetadata.getWorkerStartTimestamp(),
clampTimeNanos,
REMOTE_QUEUE,
"queue");
logProfileTask(
converter,
executedActionMetadata.getWorkerStartTimestamp(),
executedActionMetadata.getInputFetchStartTimestamp(),
clampTimeNanos,
REMOTE_SETUP,
"pre-fetch");
logProfileTask(
converter,
executedActionMetadata.getInputFetchStartTimestamp(),
executedActionMetadata.getInputFetchCompletedTimestamp(),
clampTimeNanos,
FETCH,
"fetch");
logProfileTask(
converter,
executedActionMetadata.getInputFetchCompletedTimestamp(),
executedActionMetadata.getExecutionStartTimestamp(),
clampTimeNanos,
REMOTE_SETUP,
"pre-execute");
logProfileTask(
converter,
executedActionMetadata.getExecutionStartTimestamp(),
executedActionMetadata.getExecutionCompletedTimestamp(),
clampTimeNanos,
REMOTE_PROCESS_TIME,
"execute");
logProfileTask(
converter,
executedActionMetadata.getExecutionCompletedTimestamp(),
executedActionMetadata.getOutputUploadStartTimestamp(),
clampTimeNanos,
REMOTE_SETUP,
"pre-upload");
logProfileTask(
converter,
executedActionMetadata.getOutputUploadStartTimestamp(),
executedActionMetadata.getOutputUploadCompletedTimestamp(),
clampTimeNanos,
UPLOAD_TIME,
"upload");
}
private static void logProfileTask(
MillisSinceEpochToNanosConverter converter,
Timestamp start,
Timestamp end,
long clampTimeNanos,
ProfilerTask type,
String description) {
// If the remote execution request is deduped against an earlier request for the same action,
// the start and end times may predate the start of the execution on our side. To avoid
// confusion, clamp them so that they nest inside the parent profile span.
long startTimeNanos = converter.toNanos(Timestamps.toMillis(start));
long endTimeNanos = converter.toNanos(Timestamps.toMillis(end));
if (endTimeNanos <= clampTimeNanos) {
// Span lies entirely outside the parent.
return;
}
startTimeNanos = max(startTimeNanos, clampTimeNanos);
Profiler.instance().logSimpleTask(startTimeNanos, endTimeNanos, type, description);
}
/** conversion utility for protobuf Timestamp difference to java.time.Duration */
private static Duration between(Timestamp from, Timestamp to) {
return Duration.ofNanos(Durations.toNanos(Timestamps.between(from, to)));
}
@VisibleForTesting
static void spawnMetricsAccounting(
SpawnMetrics.Builder spawnMetrics, ExecutedActionMetadata executionMetadata) {
// Expect that a non-empty worker indicates that all fields are populated.
// If the bounded sides of these checkpoints are default timestamps, i.e. unset,
// the phase durations can be extremely large. Unset pairs, or a fully unset
// collection of timestamps, will result in zeroed durations, and no metrics
// contributions for a phase or phases.
if (!executionMetadata.getWorker().isEmpty()) {
// Accumulate queueTime from any previous attempts
int remoteQueueTimeInMs =
spawnMetrics.build().queueTimeInMs()
+ (int)
between(
executionMetadata.getQueuedTimestamp(),
executionMetadata.getWorkerStartTimestamp())
.toMillis();
spawnMetrics.setQueueTimeInMs(remoteQueueTimeInMs);
// setup time does not include failed attempts
Duration setupTime =
between(
executionMetadata.getWorkerStartTimestamp(),
executionMetadata.getExecutionStartTimestamp());
spawnMetrics.setSetupTimeInMs((int) setupTime.toMillis());
// execution time is unspecified for failures
Duration executionWallTime =
between(
executionMetadata.getExecutionStartTimestamp(),
executionMetadata.getExecutionCompletedTimestamp());
spawnMetrics.setExecutionWallTimeInMs((int) executionWallTime.toMillis());
// remoteProcessOutputs time is unspecified for failures
Duration remoteProcessOutputsTime =
between(
executionMetadata.getOutputUploadStartTimestamp(),
executionMetadata.getOutputUploadCompletedTimestamp());
spawnMetrics.setProcessOutputsTimeInMs((int) remoteProcessOutputsTime.toMillis());
}
}
private SpawnResult downloadAndFinalizeSpawnResult(
RemoteAction action,
RemoteActionResult result,
boolean cacheHit,
String cacheName,
Spawn spawn,
Stopwatch totalTime,
Supplier<Duration> networkTime,
SpawnMetrics.Builder spawnMetrics)
throws ExecException, IOException, InterruptedException {
Duration networkTimeStart = networkTime.get();
Stopwatch fetchTime = Stopwatch.createStarted();
InMemoryOutput inMemoryOutput;
try (SilentCloseable c = Profiler.instance().profile(REMOTE_DOWNLOAD, "download outputs")) {
inMemoryOutput = remoteExecutionService.downloadOutputs(action, result);
}
fetchTime.stop();
totalTime.stop();
Duration networkTimeEnd = networkTime.get();
// subtract network time consumed here to ensure wall clock during fetch is not double
// counted, and metrics time computation does not exceed total time
return createSpawnResult(
digestUtil,
action.getActionKey(),
result.getExitCode(),
cacheHit,
cacheName,
inMemoryOutput,
result.getExecutionMetadata().getExecutionStartTimestamp(),
result.getExecutionMetadata().getExecutionCompletedTimestamp(),
spawnMetrics
.setFetchTimeInMs(
(int) fetchTime.elapsed().minus(networkTimeEnd.minus(networkTimeStart)).toMillis())
.setTotalTimeInMs((int) totalTime.elapsed().toMillis())
.setNetworkTimeInMs((int) networkTimeEnd.toMillis())
.build(),
spawn.getMnemonic());
}
@Override
public boolean canExec(Spawn spawn) {
return remoteExecutionService.mayBeExecutedRemotely(spawn);
}
@Override
public boolean handlesCaching() {
return true;
}
private void maybePrintExecutionMessages(
SpawnExecutionContext context, String message, boolean success) {
FileOutErr outErr = context.getFileOutErr();
boolean printMessage =
remoteOptions.remotePrintExecutionMessages.shouldPrintMessages(success)
&& !message.isEmpty();
if (printMessage) {
outErr.printErr("Remote server execution message: " + message + "\n");
}
}
private void maybeWriteParamFilesLocally(Spawn spawn) throws IOException {
if (!executionOptions.shouldMaterializeParamFiles()) {
return;
}
for (ActionInput actionInput : spawn.getInputFiles().toList()) {
if (actionInput instanceof ParamFileActionInput paramFileActionInput) {
paramFileActionInput.atomicallyWriteRelativeTo(execRoot);
}
}
}
private void maybeDownloadServerLogs(RemoteAction action, ExecuteResponse resp)
throws InterruptedException {
try {
ServerLogs serverLogs = remoteExecutionService.maybeDownloadServerLogs(action, resp, logDir);
if (serverLogs.logCount > 0 && verboseFailures) {
report(
Event.info(
"Remote server log of failing action:\n "
+ (serverLogs.logCount > 1 ? serverLogs.directory : serverLogs.lastLogPath)));
}
} catch (IOException e) {
reportOnce(Event.warn("Failed downloading server logs from the remote cache."));
}
}
private SpawnResult execLocally(Spawn spawn, SpawnExecutionContext context)
throws ExecException, InterruptedException, IOException, ForbiddenActionInputException {
RemoteLocalFallbackRegistry localFallbackRegistry =
context.getContext(RemoteLocalFallbackRegistry.class);
checkNotNull(localFallbackRegistry, "Expected a RemoteLocalFallbackRegistry to be registered");
AbstractSpawnStrategy remoteLocalFallbackStrategy =
localFallbackRegistry.getRemoteLocalFallbackStrategy();
checkNotNull(
remoteLocalFallbackStrategy,
"A remote local fallback strategy must be set if using remote fallback.");
return remoteLocalFallbackStrategy.getSpawnRunner().exec(spawn, context);
}
private SpawnResult execLocallyAndUploadOrFail(
RemoteAction action,
Spawn spawn,
SpawnExecutionContext context,
boolean uploadLocalResults,
IOException cause)
throws ExecException, InterruptedException, IOException, ForbiddenActionInputException {
// Regardless of cause, if we are interrupted, we should stop without displaying a user-visible
// failure/stack trace.
if (Thread.currentThread().isInterrupted()) {
throw new InterruptedException();
}
if (remoteOptions.remoteLocalFallback && !RemoteRetrierUtils.causedByExecTimeout(cause)) {
return execLocallyAndUpload(action, spawn, context, uploadLocalResults);
}
return handleError(action, cause, context);
}
private SpawnResult handleError(
RemoteAction action, IOException exception, SpawnExecutionContext context)
throws ExecException, InterruptedException, IOException {
if (exception instanceof RemoteExecutionCapabilitiesException e) {
throw createExecExceptionFromRemoteExecutionCapabilitiesException(e);
}
boolean remoteCacheFailed = BulkTransferException.allCausedByCacheNotFoundException(exception);
if (exception.getCause() instanceof ExecutionStatusException e) {
RemoteActionResult result = null;
if (e.getResponse() != null) {
ExecuteResponse resp = e.getResponse();
maybeDownloadServerLogs(action, resp);
if (resp.hasResult()) {
result = RemoteActionResult.createFromResponse(resp);
try {
remoteExecutionService.downloadOutputs(action, result);
} catch (BulkTransferException bulkTransferEx) {
exception.addSuppressed(bulkTransferEx);
}
}
}
if (e.isExecutionTimeout()) {
maybePrintExecutionMessages(context, e.getResponse().getMessage(), /* success= */ false);
SpawnResult.Builder resultBuilder =
new SpawnResult.Builder()
.setRunnerName(getName())
.setStatus(Status.TIMEOUT)
.setExitCode(SpawnResult.POSIX_TIMEOUT_EXIT_CODE)
.setFailureDetail(
FailureDetail.newBuilder()
.setMessage("remote spawn timed out")
.setSpawn(
FailureDetails.Spawn.newBuilder()
.setCode(FailureDetails.Spawn.Code.TIMEOUT))
.build());
if (result != null) {
resultBuilder
.setWallTimeInMs(
(int)
Duration.between(
Utils.timestampToInstant(
result.getExecutionMetadata().getExecutionStartTimestamp()),
Utils.timestampToInstant(
result.getExecutionMetadata().getExecutionCompletedTimestamp()))
.toMillis())
.setStartTime(
Utils.timestampToInstant(
result.getExecutionMetadata().getExecutionStartTimestamp()));
}
return resultBuilder.build();
}
}
final Status status;
FailureDetails.Spawn.Code detailedCode;
boolean catastrophe;
if (RemoteRetrierUtils.causedByStatus(exception, Code.UNAVAILABLE)) {
status = Status.EXECUTION_FAILED_CATASTROPHICALLY;
detailedCode = FailureDetails.Spawn.Code.EXECUTION_FAILED;
catastrophe = true;
} else if (remoteCacheFailed) {
status = Status.REMOTE_CACHE_FAILED;
if (executionOptions.useNewExitCodeForLostInputs
|| executionOptions.remoteRetryOnTransientCacheError > 0) {
detailedCode = FailureDetails.Spawn.Code.REMOTE_CACHE_EVICTED;
} else {
detailedCode = FailureDetails.Spawn.Code.REMOTE_CACHE_FAILED;
}
catastrophe = false;
} else {
status = Status.EXECUTION_FAILED;
detailedCode = FailureDetails.Spawn.Code.EXECUTION_FAILED;
catastrophe = false;
}
String errorMessage = Utils.grpcAwareErrorMessage(exception, verboseFailures);
if (exception.getCause() instanceof ExecutionStatusException e) {
if (e.getResponse() != null) {
if (!e.getResponse().getMessage().isEmpty()) {
errorMessage += "\n" + e.getResponse().getMessage();
}
}
}
return new SpawnResult.Builder()
.setRunnerName(getName())
.setStatus(status)
.setExitCode(ExitCode.REMOTE_ERROR.getNumericExitCode())
.setFailureMessage(errorMessage)
.setFailureDetail(
FailureDetail.newBuilder()
.setMessage("remote spawn failed: " + errorMessage)
.setSpawn(
FailureDetails.Spawn.newBuilder()
.setCode(detailedCode)
.setCatastrophic(catastrophe))
.build())
.build();
}
private Map<Path, Long> getInputCtimes(SortedMap<PathFragment, ActionInput> inputMap) {
HashMap<Path, Long> ctimes = new HashMap<>();
for (Map.Entry<PathFragment, ActionInput> e : inputMap.entrySet()) {
ActionInput input = e.getValue();
if (input instanceof VirtualActionInput) {
continue;
}
Path path = execRoot.getRelative(input.getExecPathString());
try {
ctimes.put(path, path.stat().getLastChangeTime());
} catch (IOException ex) {
// Put a token value indicating an exception; this is used so that if the exception
// is raised both before and after the execution, it is ignored, but if it is raised only
// one of the times, it triggers a remote cache upload skip.
ctimes.put(path, -1L);
}
}
return ctimes;
}
@VisibleForTesting
SpawnResult execLocallyAndUpload(
RemoteAction action, Spawn spawn, SpawnExecutionContext context, boolean uploadLocalResults)
throws ExecException, IOException, ForbiddenActionInputException, InterruptedException {
Map<Path, Long> ctimesBefore = getInputCtimes(action.getInputMap(true));
SpawnResult result = execLocally(spawn, context);
Map<Path, Long> ctimesAfter = getInputCtimes(action.getInputMap(true));
uploadLocalResults =
uploadLocalResults && Status.SUCCESS.equals(result.status()) && result.exitCode() == 0;
if (!uploadLocalResults) {
return result;
}
for (Map.Entry<Path, Long> e : ctimesBefore.entrySet()) {
// Skip uploading to remote cache, because an input was modified during execution.
if (!ctimesAfter.get(e.getKey()).equals(e.getValue())) {
return result;
}
}
remoteExecutionService.uploadOutputs(action, result, () -> {});
return result;
}
private void reportOnce(Event evt) {
if (warningReported.compareAndSet(false, true)) {
report(evt);
}
}
private void report(Event evt) {
if (cmdlineReporter != null) {
cmdlineReporter.handle(evt);
}
}
private static RemoteRetrier createExecuteRetrier(
RemoteOptions options, ListeningScheduledExecutorService retryService) {
return new ExecuteRetrier(
options.remoteMaxRetryAttempts,
retryService,
CircuitBreakerFactory.createCircuitBreaker(options));
}
}