Logo AND Algorithmique Numérique Distribuée

Public GIT Repository
get rid of simix_global and smx_private.hpp
[simgrid.git] / src / kernel / EngineImpl.cpp
1 /* Copyright (c) 2016-2021. The SimGrid Team. All rights reserved.          */
2
3 /* This program is free software; you can redistribute it and/or modify it
4  * under the terms of the license (GNU LGPL) which comes with this package. */
5
6 #include "src/kernel/EngineImpl.hpp"
7 #include "mc/mc.h"
8 #include "simgrid/Exception.hpp"
9 #include "simgrid/kernel/Timer.hpp"
10 #include "simgrid/kernel/routing/NetPoint.hpp"
11 #include "simgrid/kernel/routing/NetZoneImpl.hpp"
12 #include "simgrid/s4u/Host.hpp"
13 #include "simgrid/sg_config.hpp"
14 #include "src/include/surf/surf.hpp" //get_clock() and surf_solve()
15 #include "src/kernel/resource/DiskImpl.hpp"
16 #include "src/kernel/resource/profile/Profile.hpp"
17 #include "src/mc/mc_record.hpp"
18 #include "src/mc/mc_replay.hpp"
19 #include "src/smpi/include/smpi_actor.hpp"
20 #include "src/surf/network_interface.hpp"
21 #include "src/surf/xml/platf.hpp" // FIXME: KILLME. There must be a better way than mimicking XML here
22
23 #include <boost/algorithm/string/predicate.hpp>
24 #ifndef _WIN32
25 #include <dlfcn.h>
26 #endif /* _WIN32 */
27
28 #if SIMGRID_HAVE_MC
29 #include "src/mc/remote/AppSide.hpp"
30 #endif
31
32 XBT_LOG_NEW_DEFAULT_CATEGORY(ker_engine, "Logging specific to Engine (kernel)");
33 namespace simgrid {
34 namespace kernel {
35 EngineImpl* EngineImpl::instance_ = nullptr; /* That singleton is awful too. */
36
37 config::Flag<double> cfg_breakpoint{"debug/breakpoint",
38                                     "When non-negative, raise a SIGTRAP after given (simulated) time", -1.0};
39 config::Flag<bool> cfg_verbose_exit{"debug/verbose-exit", "Display the actor status at exit", true};
40 } // namespace kernel
41 } // namespace simgrid
42
43 XBT_ATTRIB_NORETURN static void inthandler(int)
44 {
45   if (simgrid::kernel::cfg_verbose_exit) {
46     XBT_INFO("CTRL-C pressed. The current status will be displayed before exit (disable that behavior with option "
47              "'debug/verbose-exit').");
48     simgrid::kernel::EngineImpl::get_instance()->display_all_actor_status();
49   } else {
50     XBT_INFO("CTRL-C pressed, exiting. Hiding the current process status since 'debug/verbose-exit' is set to false.");
51   }
52   exit(1);
53 }
54
55 #ifndef _WIN32
56 static void segvhandler(int signum, siginfo_t* siginfo, void* /*context*/)
57 {
58   if ((siginfo->si_signo == SIGSEGV && siginfo->si_code == SEGV_ACCERR) || siginfo->si_signo == SIGBUS) {
59     fprintf(stderr,
60             "Access violation or Bus error detected.\n"
61             "This probably comes from a programming error in your code, or from a stack\n"
62             "overflow. If you are certain of your code, try increasing the stack size\n"
63             "   --cfg=contexts/stack-size:XXX (current size is %u KiB).\n"
64             "\n"
65             "If it does not help, this may have one of the following causes:\n"
66             "a bug in SimGrid, a bug in the OS or a bug in a third-party libraries.\n"
67             "Failing hardware can sometimes generate such errors too.\n"
68             "\n"
69             "If you think you've found a bug in SimGrid, please report it along with a\n"
70             "Minimal Working Example (MWE) reproducing your problem and a full backtrace\n"
71             "of the fault captured with gdb or valgrind.\n",
72             smx_context_stack_size / 1024);
73   } else if (siginfo->si_signo == SIGSEGV) {
74     fprintf(stderr, "Segmentation fault.\n");
75 #if HAVE_SMPI
76     if (smpi_enabled() && smpi_cfg_privatization() == SmpiPrivStrategies::NONE) {
77 #if HAVE_PRIVATIZATION
78       fprintf(stderr, "Try to enable SMPI variable privatization with --cfg=smpi/privatization:yes.\n");
79 #else
80       fprintf(stderr, "Sadly, your system does not support --cfg=smpi/privatization:yes (yet).\n");
81 #endif /* HAVE_PRIVATIZATION */
82     }
83 #endif /* HAVE_SMPI */
84   }
85   std::raise(signum);
86 }
87
88 /**
89  * Install signal handler for SIGSEGV.  Check that nobody has already installed
90  * its own handler.  For example, the Java VM does this.
91  */
92 static void install_segvhandler()
93 {
94   stack_t old_stack;
95
96   if (simgrid::kernel::context::Context::install_sigsegv_stack(&old_stack, true) == -1) {
97     XBT_WARN("Failed to register alternate signal stack: %s", strerror(errno));
98     return;
99   }
100   if (not(old_stack.ss_flags & SS_DISABLE)) {
101     XBT_DEBUG("An alternate stack was already installed (sp=%p, size=%zu, flags=%x). Restore it.", old_stack.ss_sp,
102               old_stack.ss_size, (unsigned)old_stack.ss_flags);
103     sigaltstack(&old_stack, nullptr);
104   }
105
106   struct sigaction action;
107   struct sigaction old_action;
108   action.sa_sigaction = &segvhandler;
109   action.sa_flags     = SA_ONSTACK | SA_RESETHAND | SA_SIGINFO;
110   sigemptyset(&action.sa_mask);
111
112   /* Linux tend to raise only SIGSEGV where other systems also raise SIGBUS on severe error */
113   for (int sig : {SIGSEGV, SIGBUS}) {
114     if (sigaction(sig, &action, &old_action) == -1) {
115       XBT_WARN("Failed to register signal handler for signal %d: %s", sig, strerror(errno));
116       continue;
117     }
118     if ((old_action.sa_flags & SA_SIGINFO) || old_action.sa_handler != SIG_DFL) {
119       XBT_DEBUG("A signal handler was already installed for signal %d (%p). Restore it.", sig,
120                 (old_action.sa_flags & SA_SIGINFO) ? (void*)old_action.sa_sigaction : (void*)old_action.sa_handler);
121       sigaction(sig, &old_action, nullptr);
122     }
123   }
124 }
125
126 #endif /* _WIN32 */
127
128 namespace simgrid {
129 namespace kernel {
130
131 EngineImpl::EngineImpl(int* argc, char** argv)
132 {
133   EngineImpl::instance_ = this;
134 }
135
136 EngineImpl::~EngineImpl()
137 {
138   /* Since hosts_ is a std::map, the hosts are destroyed in the lexicographic order, which ensures that the output is
139    * reproducible.
140    */
141   while (not hosts_.empty())
142     hosts_.begin()->second->destroy();
143
144   /* Also delete the other data */
145   delete netzone_root_;
146   for (auto const& kv : netpoints_)
147     delete kv.second;
148
149   for (auto const& kv : links_)
150     if (kv.second)
151       kv.second->destroy();
152
153   for (auto const& kv : mailboxes_)
154     delete kv.second;
155
156     /* Free the remaining data structures */
157 #if SIMGRID_HAVE_MC
158   xbt_dynar_free(&actors_vector_);
159   xbt_dynar_free(&dead_actors_vector_);
160 #endif
161   /* clear models before freeing handle, network models can use external callback defined in the handle */
162   models_prio_.clear();
163 }
164
165 void EngineImpl::initialize(int* argc, char** argv)
166 {
167 #if SIMGRID_HAVE_MC
168   // The communication initialization is done ASAP, as we need to get some init parameters from the MC for different
169   // layers. But simix_global needs to be created, as we send the address of some of its fields to the MC that wants to
170   // read them directly.
171   simgrid::mc::AppSide::initialize();
172 #endif
173
174   surf_init(argc, argv); /* Initialize SURF structures */
175
176   /* Prepare to display some more info when dying on Ctrl-C pressing */
177   std::signal(SIGINT, inthandler);
178
179 #ifndef _WIN32
180   install_segvhandler();
181 #endif
182
183   /* register a function to be called by SURF after the environment creation */
184   sg_platf_init();
185   s4u::Engine::on_platform_created.connect(surf_presolve);
186
187   if (config::get_value<bool>("debug/clean-atexit"))
188     atexit(shutdown);
189 }
190 void EngineImpl::shutdown()
191 {
192   static bool already_cleaned_up = false;
193   if (already_cleaned_up)
194     return; // to avoid double cleaning by java and C
195   already_cleaned_up = true;
196   XBT_DEBUG("EngineImpl::shutdown() called. Simulation's over.");
197   if (instance_->has_actors_to_run() && simgrid_get_clock() <= 0.0) {
198     XBT_CRITICAL("   ");
199     XBT_CRITICAL("The time is still 0, and you still have processes ready to run.");
200     XBT_CRITICAL("It seems that you forgot to run the simulation that you setup.");
201     xbt_die("Bailing out to avoid that stop-before-start madness. Please fix your code.");
202   }
203
204   /* Kill all actors (but maestro) */
205   instance_->maestro_->kill_all();
206   instance_->run_all_actors();
207   instance_->empty_trash();
208
209 #if HAVE_SMPI
210   if (not instance_->actor_list_.empty()) {
211     if (smpi_process()->initialized()) {
212       xbt_die("Process exited without calling MPI_Finalize - Killing simulation");
213     } else {
214       XBT_WARN("Process called exit when leaving - Skipping cleanups");
215       return;
216     }
217   }
218 #endif
219
220   /* Let's free maestro now */
221   instance_->destroy_maestro();
222
223   /* Finish context module and SURF */
224   instance_->destroy_context_factory();
225
226   while (not timer::kernel_timers().empty()) {
227     delete timer::kernel_timers().top().second;
228     timer::kernel_timers().pop();
229   }
230
231   tmgr_finalize();
232   sg_platf_exit();
233
234   delete instance_;
235   instance_ = nullptr;
236 }
237
238 void EngineImpl::load_platform(const std::string& platf)
239 {
240   double start = xbt_os_time();
241   if (boost::algorithm::ends_with(platf, ".so") or boost::algorithm::ends_with(platf, ".dylib")) {
242 #ifdef _WIN32
243     xbt_die("loading platform through shared library isn't supported on windows");
244 #else
245     void* handle = dlopen(platf.c_str(), RTLD_LAZY);
246     xbt_assert(handle, "Impossible to open platform file: %s", platf.c_str());
247     platf_handle_           = std::unique_ptr<void, std::function<int(void*)>>(handle, dlclose);
248     using load_fct_t = void (*)(const simgrid::s4u::Engine&);
249     auto callable           = (load_fct_t)dlsym(platf_handle_.get(), "load_platform");
250     const char* dlsym_error = dlerror();
251     xbt_assert(not dlsym_error, "Error: %s", dlsym_error);
252     callable(*simgrid::s4u::Engine::get_instance());
253 #endif /* _WIN32 */
254   } else {
255     parse_platform_file(platf);
256   }
257
258   double end = xbt_os_time();
259   XBT_DEBUG("PARSE TIME: %g", (end - start));
260 }
261
262 void EngineImpl::load_deployment(const std::string& file) const
263 {
264   sg_platf_exit();
265   sg_platf_init();
266
267   surf_parse_open(file);
268   surf_parse();
269   surf_parse_close();
270 }
271
272 void EngineImpl::register_function(const std::string& name, const actor::ActorCodeFactory& code)
273 {
274   registered_functions[name] = code;
275 }
276 void EngineImpl::register_default(const actor::ActorCodeFactory& code)
277 {
278   default_function = code;
279 }
280
281 void EngineImpl::add_model(std::shared_ptr<resource::Model> model, const std::vector<resource::Model*>& dependencies)
282 {
283   auto model_name = model->get_name();
284   xbt_assert(models_prio_.find(model_name) == models_prio_.end(),
285              "Model %s already exists, use model.set_name() to change its name", model_name.c_str());
286
287   for (const auto dep : dependencies) {
288     xbt_assert(models_prio_.find(dep->get_name()) != models_prio_.end(),
289                "Model %s doesn't exists. Impossible to use it as dependency.", dep->get_name().c_str());
290   }
291   models_.push_back(model.get());
292   models_prio_[model_name] = std::move(model);
293 }
294
295 void EngineImpl::add_split_duplex_link(const std::string& name, std::unique_ptr<resource::SplitDuplexLinkImpl> link)
296 {
297   split_duplex_links_[name] = std::move(link);
298 }
299
300 /** Wake up all actors waiting for a Surf action to finish */
301 void EngineImpl::wake_all_waiting_actors() const
302 {
303   for (auto const& model : models_) {
304     XBT_DEBUG("Handling the failed actions (if any)");
305     while (auto* action = model->extract_failed_action()) {
306       XBT_DEBUG("   Handling Action %p", action);
307       if (action->get_activity() != nullptr)
308         activity::ActivityImplPtr(action->get_activity())->post();
309     }
310     XBT_DEBUG("Handling the terminated actions (if any)");
311     while (auto* action = model->extract_done_action()) {
312       XBT_DEBUG("   Handling Action %p", action);
313       if (action->get_activity() == nullptr)
314         XBT_DEBUG("probably vcpu's action %p, skip", action);
315       else
316         activity::ActivityImplPtr(action->get_activity())->post();
317     }
318   }
319 }
320 /**
321  * @brief Executes the actors in actors_to_run.
322  *
323  * The actors in actors_to_run are run (in parallel if possible). On exit, actors_to_run is empty, and actors_that_ran
324  * contains the list of actors that just ran.  The two lists are swapped so, be careful when using them before and after
325  * a call to this function.
326  */
327 void EngineImpl::run_all_actors()
328 {
329   instance_->get_context_factory()->run_all();
330
331   actors_to_run_.swap(actors_that_ran_);
332   actors_to_run_.clear();
333 }
334
335 actor::ActorImpl* EngineImpl::get_actor_by_pid(aid_t pid)
336 {
337   auto item = actor_list_.find(pid);
338   if (item != actor_list_.end())
339     return item->second;
340
341   // Search the trash
342   for (auto& a : actors_to_destroy_)
343     if (a.get_pid() == pid)
344       return &a;
345   return nullptr; // Not found, even in the trash
346 }
347
348 /** Execute all the tasks that are queued, e.g. `.then()` callbacks of futures. */
349 bool EngineImpl::execute_tasks()
350 {
351   if (tasks.empty())
352     return false;
353
354   std::vector<xbt::Task<void()>> tasksTemp;
355   do {
356     // We don't want the callbacks to modify the vector we are iterating over:
357     tasks.swap(tasksTemp);
358
359     // Execute all the queued tasks:
360     for (auto& task : tasksTemp)
361       task();
362
363     tasksTemp.clear();
364   } while (not tasks.empty());
365
366   return true;
367 }
368
369 void EngineImpl::remove_daemon(actor::ActorImpl* actor)
370 {
371   auto it = daemons_.find(actor);
372   xbt_assert(it != daemons_.end(), "The dying daemon is not a daemon after all. Please report that bug.");
373   daemons_.erase(it);
374 }
375
376 void EngineImpl::add_actor_to_run_list_no_check(actor::ActorImpl* actor)
377 {
378   XBT_DEBUG("Inserting [%p] %s(%s) in the to_run list", actor, actor->get_cname(), actor->get_host()->get_cname());
379   actors_to_run_.push_back(actor);
380 }
381
382 void EngineImpl::add_actor_to_run_list(actor::ActorImpl* actor)
383 {
384   if (std::find(begin(actors_to_run_), end(actors_to_run_), actor) != end(actors_to_run_)) {
385     XBT_DEBUG("Actor %s is already in the to_run list", actor->get_cname());
386   } else {
387     XBT_DEBUG("Inserting [%p] %s(%s) in the to_run list", actor, actor->get_cname(), actor->get_host()->get_cname());
388     actors_to_run_.push_back(actor);
389   }
390 }
391 void EngineImpl::empty_trash()
392 {
393   while (not actors_to_destroy_.empty()) {
394     actor::ActorImpl* actor = &actors_to_destroy_.front();
395     actors_to_destroy_.pop_front();
396     XBT_DEBUG("Getting rid of %s (refcount: %d)", actor->get_cname(), actor->get_refcount());
397     intrusive_ptr_release(actor);
398   }
399 #if SIMGRID_HAVE_MC
400   xbt_dynar_reset(dead_actors_vector_);
401 #endif
402 }
403
404 void EngineImpl::display_all_actor_status() const
405 {
406   XBT_INFO("%zu actors are still running, waiting for something.", actor_list_.size());
407   /*  List the actors and their state */
408   XBT_INFO("Legend of the following listing: \"Actor <pid> (<name>@<host>): <status>\"");
409   for (auto const& kv : actor_list_) {
410     actor::ActorImpl* actor = kv.second;
411
412     if (actor->waiting_synchro_) {
413       const char* synchro_description = "unknown";
414
415       if (boost::dynamic_pointer_cast<kernel::activity::ExecImpl>(actor->waiting_synchro_) != nullptr)
416         synchro_description = "execution";
417
418       if (boost::dynamic_pointer_cast<kernel::activity::CommImpl>(actor->waiting_synchro_) != nullptr)
419         synchro_description = "communication";
420
421       if (boost::dynamic_pointer_cast<kernel::activity::SleepImpl>(actor->waiting_synchro_) != nullptr)
422         synchro_description = "sleeping";
423
424       if (boost::dynamic_pointer_cast<kernel::activity::RawImpl>(actor->waiting_synchro_) != nullptr)
425         synchro_description = "synchronization";
426
427       if (boost::dynamic_pointer_cast<kernel::activity::IoImpl>(actor->waiting_synchro_) != nullptr)
428         synchro_description = "I/O";
429
430       XBT_INFO("Actor %ld (%s@%s): waiting for %s activity %#zx (%s) in state %d to finish", actor->get_pid(),
431                actor->get_cname(), actor->get_host()->get_cname(), synchro_description,
432                (xbt_log_no_loc ? (size_t)0xDEADBEEF : (size_t)actor->waiting_synchro_.get()),
433                actor->waiting_synchro_->get_cname(), (int)actor->waiting_synchro_->state_);
434     } else {
435       XBT_INFO("Actor %ld (%s@%s) simcall %s", actor->get_pid(), actor->get_cname(), actor->get_host()->get_cname(),
436                SIMIX_simcall_name(actor->simcall_));
437     }
438   }
439 }
440
441 void EngineImpl::run()
442 {
443   if (MC_record_replay_is_active()) {
444     mc::replay(MC_record_path());
445     empty_trash();
446     return;
447   }
448
449   double time = 0;
450
451   do {
452     XBT_DEBUG("New Schedule Round; size(queue)=%zu", actors_to_run_.size());
453
454     if (cfg_breakpoint >= 0.0 && surf_get_clock() >= cfg_breakpoint) {
455       XBT_DEBUG("Breakpoint reached (%g)", cfg_breakpoint.get());
456       cfg_breakpoint = -1.0;
457 #ifdef SIGTRAP
458       std::raise(SIGTRAP);
459 #else
460       std::raise(SIGABRT);
461 #endif
462     }
463
464     execute_tasks();
465
466     while (not actors_to_run_.empty()) {
467       XBT_DEBUG("New Sub-Schedule Round; size(queue)=%zu", actors_to_run_.size());
468
469       /* Run all actors that are ready to run, possibly in parallel */
470       run_all_actors();
471
472       /* answer sequentially and in a fixed arbitrary order all the simcalls that were issued during that sub-round */
473
474       /* WARNING, the order *must* be fixed or you'll jeopardize the simulation reproducibility (see RR-7653) */
475
476       /* Here, the order is ok because:
477        *
478        *   Short proof: only maestro adds stuff to the actors_to_run array, so the execution order of user contexts do
479        *   not impact its order.
480        *
481        *   Long proof: actors remain sorted through an arbitrary (implicit, complex but fixed) order in all cases.
482        *
483        *   - if there is no kill during the simulation, actors remain sorted according by their PID.
484        *     Rationale: This can be proved inductively.
485        *        Assume that actors_to_run is sorted at a beginning of one round (it is at round 0: the deployment file
486        *        is parsed linearly).
487        *        Let's show that it is still so at the end of this round.
488        *        - if an actor is added when being created, that's from maestro. It can be either at startup
489        *          time (and then in PID order), or in response to a process_create simcall. Since simcalls are handled
490        *          in arbitrary order (inductive hypothesis), we are fine.
491        *        - If an actor is added because it's getting killed, its subsequent actions shouldn't matter
492        *        - If an actor gets added to actors_to_run because one of their blocking action constituting the meat
493        *          of a simcall terminates, we're still good. Proof:
494        *          - You are added from ActorImpl::simcall_answer() only. When this function is called depends on the
495        *            resource kind (network, cpu, disk, whatever), but the same arguments hold. Let's take communications
496        *            as an example.
497        *          - For communications, this function is called from SIMIX_comm_finish().
498        *            This function itself don't mess with the order since simcalls are handled in FIFO order.
499        *            The function is called:
500        *            - before the comm starts (invalid parameters, or resource already dead or whatever).
501        *              The order then trivial holds since maestro didn't interrupt its handling of the simcall yet
502        *            - because the communication failed or were canceled after startup. In this case, it's called from
503        *              the function we are in, by the chunk:
504        *                       set = model->states.failed_action_set;
505        *                       while ((synchro = extract(set)))
506        *                          SIMIX_simcall_post((smx_synchro_t) synchro->data);
507        *              This order is also fixed because it depends of the order in which the surf actions were
508        *              added to the system, and only maestro can add stuff this way, through simcalls.
509        *              We thus use the inductive hypothesis once again to conclude that the order in which synchros are
510        *              popped out of the set does not depend on the user code's execution order.
511        *            - because the communication terminated. In this case, synchros are served in the order given by
512        *                       set = model->states.done_action_set;
513        *                       while ((synchro = extract(set)))
514        *                          SIMIX_simcall_post((smx_synchro_t) synchro->data);
515        *              and the argument is very similar to the previous one.
516        *            So, in any case, the orders of calls to CommImpl::finish() do not depend on the order in which user
517        *            actors are executed.
518        *          So, in any cases, the orders of actors within actors_to_run do not depend on the order in which
519        *          user actors were executed previously.
520        *     So, if there is no killing in the simulation, the simulation reproducibility is not jeopardized.
521        *   - If there is some actor killings, the order is changed by this decision that comes from user-land
522        *     But this decision may not have been motivated by a situation that were different because the simulation is
523        *     not reproducible.
524        *     So, even the order change induced by the actor killing is perfectly reproducible.
525        *
526        *   So science works, bitches [http://xkcd.com/54/].
527        *
528        *   We could sort the actors_that_ran array completely so that we can describe the order in which simcalls are
529        *   handled (like "according to the PID of issuer"), but it's not mandatory (order is fixed already even if
530        *   unfriendly).
531        *   That would thus be a pure waste of time.
532        */
533
534       for (auto const& actor : actors_that_ran_) {
535         if (actor->simcall_.call_ != simix::Simcall::NONE) {
536           actor->simcall_handle(0);
537         }
538       }
539
540       execute_tasks();
541       do {
542         wake_all_waiting_actors();
543       } while (execute_tasks());
544
545       /* If only daemon actors remain, cancel their actions, mark them to die and reschedule them */
546       if (actor_list_.size() == daemons_.size())
547         for (auto const& dmon : daemons_) {
548           XBT_DEBUG("Kill %s", dmon->get_cname());
549           maestro_->kill(dmon);
550         }
551     }
552
553     time = timer::Timer::next();
554     if (time > -1.0 || not actor_list_.empty()) {
555       XBT_DEBUG("Calling surf_solve");
556       time = surf_solve(time);
557       XBT_DEBUG("Moving time ahead : %g", time);
558     }
559
560     /* Notify all the hosts that have failed */
561     /* FIXME: iterate through the list of failed host and mark each of them */
562     /* as failed. On each host, signal all the running actors with host_fail */
563
564     // Execute timers and tasks until there isn't anything to be done:
565     bool again = false;
566     do {
567       again = timer::Timer::execute_all();
568       if (execute_tasks())
569         again = true;
570       wake_all_waiting_actors();
571     } while (again);
572
573     /* Clean actors to destroy */
574     empty_trash();
575
576     XBT_DEBUG("### time %f, #actors %zu, #to_run %zu", time, actor_list_.size(), actors_to_run_.size());
577
578     if (time < 0. && actors_to_run_.empty() && not actor_list_.empty()) {
579       if (actor_list_.size() <= daemons_.size()) {
580         XBT_CRITICAL("Oops! Daemon actors cannot do any blocking activity (communications, synchronization, etc) "
581                      "once the simulation is over. Please fix your on_exit() functions.");
582       } else {
583         XBT_CRITICAL("Oops! Deadlock or code not perfectly clean.");
584       }
585       display_all_actor_status();
586       simgrid::s4u::Engine::on_deadlock();
587       for (auto const& kv : actor_list_) {
588         XBT_DEBUG("Kill %s", kv.second->get_cname());
589         maestro_->kill(kv.second);
590       }
591     }
592   } while (time > -1.0 || has_actors_to_run());
593
594   if (not actor_list_.empty())
595     THROW_IMPOSSIBLE;
596
597   simgrid::s4u::Engine::on_simulation_end();
598 }
599 } // namespace kernel
600 } // namespace simgrid