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
|
#include "caffe2/core/plan_executor.h"
#include <condition_variable>
#include <memory>
#include <mutex>
#include <thread>
#include <unordered_map>
#include <vector>
#include "caffe2/core/timer.h"
#include "caffe2/core/workspace.h"
#include "caffe2/proto/caffe2_pb.h"
C10_DEFINE_bool(
caffe2_handle_executor_threads_exceptions,
false,
"If used we will handle exceptions in executor threads. "
"This avoids SIGABRT but may cause process to deadlock");
C10_DEFINE_int(
caffe2_plan_executor_exception_timeout,
60,
"Number of seconds to wait for concurrent threads to stop on exception"
"before terminating.");
namespace caffe2 {
namespace {
// ExceptionWrapper holds an exception. If exception pointers are being used,
// it'll hold the original exception pointer otherwise just the message.
class ExceptionWrapper {
public:
ExceptionWrapper() : hasException_(false) {}
explicit ExceptionWrapper(const std::exception& ex)
: hasException_(true), exceptionMsg_(ex.what()) {
#ifdef CAFFE2_USE_EXCEPTION_PTR
exception_ = std::current_exception();
#endif
}
void rethrowException() {
#ifdef CAFFE2_USE_EXCEPTION_PTR
std::rethrow_exception(exception_);
#else
CAFFE_THROW(exceptionMsg_);
#endif
}
const std::string& what() const {
return exceptionMsg_;
}
operator bool() {
return hasException_;
}
private:
bool hasException_;
#ifdef CAFFE2_USE_EXCEPTION_PTR
std::exception_ptr exception_;
#endif
std::string exceptionMsg_;
};
// ExceptionWrapperTerminate terminates the program with the specified
// exception. This preserves the exception ptr and ExceptionTracer will
// correctly grab it on exit.
class ExceptionWrapperTerminate {
public:
explicit ExceptionWrapperTerminate(ExceptionWrapper&& ew)
: ew_(std::move(ew)) {}
~ExceptionWrapperTerminate() {
ew_.rethrowException();
}
private:
ExceptionWrapper ew_;
};
// ScopeExitGuard runs the provided function when it's destructed.
class ScopeExitGuard {
public:
explicit ScopeExitGuard(std::function<void()>&& f) : f_(std::move(f)) {}
// NOLINTNEXTLINE(bugprone-exception-escape)
~ScopeExitGuard() {
f_();
}
private:
std::function<void()> f_;
};
struct NetDefInfo {
const NetDef* netDef;
// in order to keep the "override existing nets" on the top-level workflow,
// we need to mark the nets that already exist so that we can override them
// exactly once.
bool needsOverride;
};
using NetDefMap = std::unordered_map<std::string, NetDefInfo>;
// Returns a function that returns `true` if we should continue
// iterating, given the current iteration count.
std::function<bool(int64_t)> getContinuationTest(
Workspace* /*ws*/,
const ExecutionStep& step) {
if (step.has_should_stop_blob()) {
CAFFE_ENFORCE(
!step.has_num_iter(),
"Must not specify num_iter if should_stop_blob is set");
}
if (!step.has_should_stop_blob()) { // control by iteration
CAFFE_ENFORCE(!step.has_only_once(), "not supported");
int64_t iterations = step.has_num_iter() ? step.num_iter() : 1;
VLOG(1) << "Will execute step " << step.name() << " for " << iterations
<< " iterations.";
return [=](int64_t i) { return i < iterations; };
} else { // control by signal blob
bool onlyOnce = step.has_only_once() && step.only_once();
VLOG(1) << "Will execute step" << step.name() << (onlyOnce ? " once " : "")
<< " until stopped by blob " << step.should_stop_blob();
if (onlyOnce) {
return [](int64_t i) { return i == 0; };
} else {
return [](int64_t /*i*/) { return true; };
}
}
};
// if the blob doesn't exist or is not initialized, return false
inline bool getShouldStop(const Blob* b) {
if (!b ||
b->meta() ==
ScalarType::Undefined) { // not exist or uninitialized
return false;
}
const auto& t = b->Get<TensorCPU>();
CAFFE_ENFORCE(t.IsType<bool>() && t.numel() == 1, "expects a scalar boolean");
return *(t.template data<bool>());
}
/**
* Injects a blob named 'GLOBAL_WORKSPACE_ID' for each workspace, only if
* another blob named 'NODE_ID' is present. 'NODE_ID' blob can be used in a
* distributed run and in this case 'GLOBAL_WORKSPACE_ID' can be used across
* machines for other purposes (e.g. to support model parallelism). Essentially,
* 'GLOBAL_WORKSPACE_ID' is an identifier for a workspace that is unique across
* all 'NODE_ID's.
*/
struct WorkspaceIdInjector {
static const string NODE_ID;
static const string GLOBAL_WORKSPACE_ID;
void InjectWorkspaceId(Workspace* workspace) {
if (workspace->HasBlob(NODE_ID)) {
Blob* node_id_blob = workspace->GetBlob(NODE_ID);
const TensorCPU& node_id_tensor = node_id_blob->template Get<TensorCPU>();
int node_id = node_id_tensor.template data<int32_t>()[0];
CAFFE_ENFORCE(
seq_ < (1 << 16),
"Integer overflow while calculating GLOBAL_WORKSPACE_ID blob");
int32_t global_ws_id = (seq_++) + (static_cast<int32_t>(node_id) << 16);
Blob* global_ws_id_blob = workspace->CreateLocalBlob(GLOBAL_WORKSPACE_ID);
TensorCPU* global_ws_id_tensor =
BlobGetMutableTensor(global_ws_id_blob, CPU);
global_ws_id_tensor->Resize();
global_ws_id_tensor->template mutable_data<int32_t>()[0] = global_ws_id;
VLOG(1) << "Adding " << GLOBAL_WORKSPACE_ID << " = " << global_ws_id;
}
}
private:
std::atomic<int> seq_{0};
};
const string WorkspaceIdInjector::NODE_ID = "NODE_ID";
const string WorkspaceIdInjector::GLOBAL_WORKSPACE_ID = "GLOBAL_WORKSPACE_ID";
struct CompiledExecutionStep;
/**
* Controls compilation and runtime cloning of execution steps.
*
* If step.create_workspace=False, this wrapper will compile the execution step
* and its children once, and calls to ExecutionStepWrapper::compiled() will
* always return the same compiled step.
* If step.create_workspace=True, no compilation is done at creation time.
* Instead, a new CompiledExecutionStep is created for every compiled() call.
*
* CompiledExecutionStep owns its Workspace, and the lifetime of the
* compiled step along with its workspace will be tied to the lifetime of
* the `CompileGuard` object returned by compiled().
*
* ExecuteStepRecursive will call call compiled() once before the given
* execution step is run and keep it alive for the length of its execution.
* This means that, for steps with create_workspace=true, a child workspace
* will be created every time the step is executed, and destroyed right
* afterwards.
*/
struct ExecutionStepWrapper {
ExecutionStepWrapper(
const ExecutionStep* step,
Workspace* externalWorkspace,
// NOLINTNEXTLINE(modernize-pass-by-value)
ShouldContinue externalShouldContinue,
NetDefMap* netDefs,
WorkspaceIdInjector* ws_id_injector)
: step_(step),
externalWorkspace_(externalWorkspace),
externalShouldContinue_(externalShouldContinue),
netDefs_(netDefs),
ws_id_injector_(ws_id_injector) {
// If this execution step does not create a child workspace,
// then just eagerly-compile it. This will trigger CreateNet on the
// nets used by this execution step.
if (!step_->create_workspace()) {
compiledStep_ = doCompile();
}
}
class CompiledGuard {
void reset(std::unique_ptr<CompiledExecutionStep>&& compiled) {
compiled_ = std::move(compiled);
compiledRef_ = compiled_.get();
}
void reset(CompiledExecutionStep* compiledRef) {
compiled_.reset();
compiledRef_ = compiledRef;
}
public:
CompiledExecutionStep* operator->() {
return compiledRef_;
}
private:
// NOLINTNEXTLINE(modernize-use-equals-default,cppcoreguidelines-pro-type-member-init,clang-analyzer-optin.cplusplus.UninitializedObject)
CompiledGuard() {}
std::unique_ptr<CompiledExecutionStep> compiled_;
CompiledExecutionStep* compiledRef_;
friend struct ExecutionStepWrapper;
};
const ExecutionStep& step() {
return *step_;
}
CompiledGuard compiled() {
CompiledGuard guard;
if (compiledStep_) {
guard.reset(compiledStep_.get());
} else {
guard.reset(doCompile());
}
return guard;
}
void Cancel();
private:
std::unique_ptr<CompiledExecutionStep> doCompile();
const ExecutionStep* step_;
Workspace* externalWorkspace_;
ShouldContinue externalShouldContinue_;
NetDefMap* netDefs_;
std::unique_ptr<CompiledExecutionStep> compiledStep_;
WorkspaceIdInjector* ws_id_injector_;
};
struct CompiledExecutionStep {
typedef std::function<bool(int)> ShouldContinue;
CompiledExecutionStep(
const ExecutionStep* mainStep,
Workspace* externalWorkspace,
ShouldContinue externalShouldContinue,
NetDefMap* netDefs,
WorkspaceIdInjector* ws_id_injector)
: step(mainStep) {
if (mainStep->create_workspace()) {
// NOLINTNEXTLINE(modernize-make-unique)
localWorkspace_.reset(new Workspace(externalWorkspace));
workspace = localWorkspace_.get();
ws_id_injector->InjectWorkspaceId(workspace);
} else {
workspace = externalWorkspace;
}
CAFFE_ENFORCE(
(step->substep_size() == 0 || step->network_size() == 0),
"An ExecutionStep should either have substep or networks"
"but not both.");
auto createAndGetNet = [&](const std::string& network_name) {
auto it = netDefs->find(network_name);
CAFFE_ENFORCE(
it != netDefs->end(),
"ExecutionStep " + mainStep->name() + " uses undefined net " +
network_name);
// needsOverride does not need synchronization because it is only
// relevant for non-dynamic executions steps. This is due to the fact
// that concurrent nets run on child workspaces, that do not needOverride.
if (it->second.needsOverride || !workspace->GetNet(network_name)) {
workspace->CreateNet(*it->second.netDef, true);
it->second.needsOverride = false;
}
auto* net = workspace->GetNet(network_name);
CAFFE_ENFORCE(net != nullptr, "Network ", network_name, " not found.");
return net;
};
if (step->substep_size()) {
ShouldContinue substepShouldContinue;
if (!step->concurrent_substeps() || step->substep().size() <= 1) {
substepShouldContinue = externalShouldContinue;
} else {
substepShouldContinue = [this, externalShouldContinue](int64_t it) {
return !gotFailure && externalShouldContinue(it);
};
}
for (const auto& ss : step->substep()) {
auto compiledSubstep = std::make_shared<ExecutionStepWrapper>(
&ss, workspace, substepShouldContinue, netDefs, ws_id_injector);
if (ss.has_run_every_ms()) {
reportSubsteps.push_back(compiledSubstep);
} else {
recurringSubsteps.push_back(compiledSubstep);
}
}
} else {
for (const string& network_name : step->network()) {
networks.push_back(createAndGetNet(network_name));
}
}
if (step->has_should_stop_blob()) {
shouldStop = workspace->GetBlob(step->should_stop_blob());
CAFFE_ENFORCE(
shouldStop, "blob ", step->should_stop_blob(), " does not exist");
}
if (step->has_report_net()) {
CAFFE_ENFORCE(
step->has_report_interval(),
"A report_interval must be provided if report_net is set.");
reportNet = createAndGetNet(step->report_net());
} else {
reportNet = nullptr;
}
netShouldContinue = getContinuationTest(workspace, *step);
shouldContinue = [this, externalShouldContinue](int64_t iter) {
return externalShouldContinue(iter) && this->netShouldContinue(iter);
};
}
void Fail(const std::exception& ex) {
{
std::lock_guard<std::mutex> guard(exception_mutex_);
if (!first_exception_) {
LOG(ERROR) << "Substep exception:\n" << c10::GetExceptionString(ex);
first_exception_ = ExceptionWrapper(ex);
}
gotFailure = true;
}
Cancel();
}
ExceptionWrapper FirstException() {
std::lock_guard<std::mutex> guard(exception_mutex_);
return first_exception_;
}
// Cancel attempts to cancel the running nets in a best effort way. If the net
// or op type does IO and doesn't implement cancellation it may not be
// possible to cancel leading to execution getting stuck on error.
void Cancel() {
for (auto& substep : reportSubsteps) {
substep->Cancel();
}
for (auto& substep : recurringSubsteps) {
substep->Cancel();
}
for (auto& net : networks) {
net->Cancel();
}
if (reportNet) {
reportNet->Cancel();
}
}
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
const ExecutionStep* step;
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
Workspace* workspace;
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
vector<std::shared_ptr<ExecutionStepWrapper>> reportSubsteps;
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
vector<std::shared_ptr<ExecutionStepWrapper>> recurringSubsteps;
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
vector<NetBase*> networks;
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
NetBase* reportNet;
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
Blob* shouldStop{nullptr};
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
ShouldContinue netShouldContinue;
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
ShouldContinue shouldContinue;
// NOLINTNEXTLINE(cppcoreguidelines-non-private-member-variables-in-classes)
std::atomic<bool> gotFailure{false};
private:
std::unique_ptr<Workspace> localWorkspace_;
std::mutex exception_mutex_; // protects first_exception_
ExceptionWrapper first_exception_;
};
void ExecutionStepWrapper::Cancel() {
if (compiledStep_) {
compiledStep_->Cancel();
}
}
std::unique_ptr<CompiledExecutionStep> ExecutionStepWrapper::doCompile() {
// NOLINTNEXTLINE(modernize-make-unique)
return std::unique_ptr<CompiledExecutionStep>(new CompiledExecutionStep(
step_,
externalWorkspace_,
externalShouldContinue_,
netDefs_,
ws_id_injector_));
}
struct Reporter {
struct ReporterInstance {
std::mutex report_mutex;
std::condition_variable report_cv;
std::thread report_thread;
ExceptionWrapper exception;
ReporterInstance(
int intervalMillis,
std::atomic<bool>* done,
std::function<void()> f,
ExecutionStepWrapper::CompiledGuard* compiledStep) {
auto interval = std::chrono::milliseconds(intervalMillis);
auto reportWorker = [=]() {
std::unique_lock<std::mutex> lk(report_mutex);
do {
report_cv.wait_for(lk, interval, [&]() { return done->load(); });
try {
f();
} catch (const std::exception& ex) {
LOG(ERROR) << "Reporter instance exception:\n"
<< c10::GetExceptionString(ex);
if (!FLAGS_caffe2_handle_executor_threads_exceptions) {
throw;
}
(*compiledStep)->Fail(ex);
done->store(true);
}
} while (!done->load());
};
report_thread = std::thread(reportWorker);
}
};
explicit Reporter(ExecutionStepWrapper::CompiledGuard* compiledStep)
: compiledStep_(compiledStep) {}
void start(int64_t intervalMillis, std::function<void()> f) {
instances_.emplace_back(
new ReporterInstance(intervalMillis, &done_, f, compiledStep_));
}
~Reporter() {
done_ = true;
for (auto& instance : instances_) {
if (!instance->report_thread.joinable()) {
continue;
}
instance->report_cv.notify_all();
instance->report_thread.join();
}
}
private:
std::vector<std::unique_ptr<ReporterInstance>> instances_;
std::atomic<bool> done_{false};
ExecutionStepWrapper::CompiledGuard* compiledStep_;
};
#define CHECK_SHOULD_STOP(step, shouldStop) \
if (getShouldStop(shouldStop)) { \
VLOG(1) << "Execution step " << step.name() << " stopped by " \
<< step.should_stop_blob(); \
return true; \
}
bool ExecuteStepRecursive(ExecutionStepWrapper& stepWrapper) {
const auto& step = stepWrapper.step();
auto compiledStep = stepWrapper.compiled();
VLOG(1) << "Running execution step " << step.name();
std::unique_ptr<Reporter> reporter;
if (step.has_report_net() || compiledStep->reportSubsteps.size() > 0) {
reporter = std::make_unique<Reporter>(&compiledStep);
auto* reportNet = compiledStep->reportNet;
if (reportNet) {
VLOG(1) << "Starting reporter net";
reporter->start(step.report_interval() * 1000, [reportNet]() {
if (!reportNet->Run()) {
LOG(WARNING) << "Error running report_net.";
}
});
}
for (auto& substepWrapper : compiledStep->reportSubsteps) {
reporter->start(
substepWrapper->step().run_every_ms(), [substepWrapper]() {
if (!ExecuteStepRecursive(*substepWrapper)) {
LOG(WARNING) << "Error running report step.";
}
});
}
}
const Blob* shouldStop = compiledStep->shouldStop;
if (step.substep_size()) {
bool sequential =
(!step.concurrent_substeps() || step.substep().size() <= 1) &&
(!step.has_num_concurrent_instances() ||
step.num_concurrent_instances() <= 1);
for (int64_t iter = 0; compiledStep->shouldContinue(iter); ++iter) {
if (sequential) {
VLOG(1) << "Executing step " << step.name() << " iteration " << iter;
for (auto& substepWrapper : compiledStep->recurringSubsteps) {
if (!ExecuteStepRecursive(*substepWrapper)) {
return false;
}
CHECK_SHOULD_STOP(step, shouldStop);
}
} else {
VLOG(1) << "Executing step " << step.name() << " iteration " << iter
<< " with " << step.substep().size() << " concurrent substeps";
std::atomic<int> next_substep{0};
std::condition_variable cv;
std::mutex exception_mutex; // protects done
int done{0};
auto worker = [&]() {
ScopeExitGuard on_exit([&] {
std::lock_guard<std::mutex> guard(exception_mutex);
done += 1;
cv.notify_all();
});
auto num_substeps = compiledStep->recurringSubsteps.size();
// NOLINTNEXTLINE(cppcoreguidelines-narrowing-conversions,bugprone-narrowing-conversions)
int substep_id = next_substep++ % num_substeps;
if (compiledStep->gotFailure) {
return;
}
try {
if (!ExecuteStepRecursive(
*compiledStep->recurringSubsteps.at(substep_id))) {
compiledStep->gotFailure = true;
}
} catch (const std::exception& ex) {
compiledStep->Fail(ex);
if (!FLAGS_caffe2_handle_executor_threads_exceptions) {
// In complex plans other threads might get stuck if another
// one fails. So we let exception to go out of thread which
// causes SIGABRT. In local setup one might use this flag
// in order to use Python debugger after a failure
throw;
}
}
};
std::unique_lock<std::mutex> guard(exception_mutex);
std::vector<std::thread> threads;
auto numThreads = compiledStep->recurringSubsteps.size();
if (step.has_num_concurrent_instances()) {
numThreads *= step.num_concurrent_instances();
}
for (size_t i = 0; i < numThreads; ++i) {
threads.emplace_back(worker);
}
// NOLINTNEXTLINE(clang-diagnostic-sign-compare)
auto workersDone = [&] { return done == numThreads; };
// If we get an exception, try to wait for all threads to stop
// gracefully.
cv.wait(
guard, [&] { return workersDone() || compiledStep->gotFailure; });
cv.wait_for(
guard,
std::chrono::seconds(FLAGS_caffe2_plan_executor_exception_timeout),
[&] { return workersDone(); });
auto first_exception = compiledStep->FirstException();
if (!workersDone() && first_exception) {
LOG(ERROR) << "failed to stop concurrent workers after exception: "
<< first_exception.what();
// NOLINTNEXTLINE(bugprone-throw-keyword-missing)
ExceptionWrapperTerminate(std::move(first_exception));
}
for (auto& thread : threads) {
thread.join();
}
if (compiledStep->gotFailure) {
LOG(ERROR) << "One of the workers failed.";
// NOLINTNEXTLINE(bugprone-use-after-move)
if (first_exception) {
first_exception.rethrowException();
}
return false;
}
// concurrent substeps should be careful about setting should_stop_blob
CHECK_SHOULD_STOP(step, shouldStop);
}
}
return true;
} else {
// If this ExecutionStep just contains nets, we can directly run it.
for (int64_t iter = 0; compiledStep->shouldContinue(iter); ++iter) {
VLOG(1) << "Executing networks " << step.name() << " iteration " << iter;
for (NetBase* network : compiledStep->networks) {
if (!network->Run()) {
return false;
}
CHECK_SHOULD_STOP(step, shouldStop);
}
}
}
if (auto first_exception = compiledStep->FirstException()) {
first_exception.rethrowException();
}
return !compiledStep->gotFailure;
}
#undef CHECK_SHOULD_STOP
} // namespace
bool RunPlanOnWorkspace(
Workspace* ws,
const PlanDef& plan,
ShouldContinue shouldContinue) {
LOG(INFO) << "Started executing plan " << plan.name();
if (plan.execution_step_size() == 0) {
LOG(WARNING) << "Nothing to run - did you define a correct plan?";
// We will do nothing, but the plan is still legal so we will return true.
return true;
}
LOG(INFO) << "Initializing networks for plan " << plan.name();
NetDefMap net_defs;
for (const NetDef& net_def : plan.network()) {
LOG(INFO) << "Processing net '" << net_def.name() << "', type: '"
<< net_def.type() << "', #ops: " << net_def.op_size()
<< ", num_workers: " << net_def.num_workers();
CAFFE_ENFORCE(
net_defs.count(net_def.name()) == 0,
"Your plan contains networks of the same name \"",
net_def.name(),
"\", which should not happen. Check your plan to see "
"if you made a programming error in creating the plan.");
auto netAlreadyExists = ws->GetNet(net_def.name()) != nullptr;
net_defs[net_def.name()] = NetDefInfo{&net_def, netAlreadyExists};
}
WorkspaceIdInjector ws_id_injector;
Timer plan_timer;
for (const ExecutionStep& step : plan.execution_step()) {
Timer step_timer;
ExecutionStepWrapper stepWrapper(
&step, ws, shouldContinue, &net_defs, &ws_id_injector);
if (!ExecuteStepRecursive(stepWrapper)) {
LOG(ERROR) << "Failed initializing step " << step.name();
return false;
}
LOG(INFO) << "Step " << step.name() << " in plan " << plan.name()
<< " took " << step_timer.Seconds() << " seconds.";
}
LOG(INFO) << "Total plan " << plan.name() << " took " << plan_timer.Seconds()
<< " seconds.";
LOG(INFO) << "Plan " << plan.name() << " executed successfully.";
return true;
}
} // namespace caffe2
|