Kstars

greedyscheduler.cpp
1/* Ekos Scheduler Greedy Algorithm
2 SPDX-FileCopyrightText: Hy Murveit <hy@murveit.com>
3
4 SPDX-License-Identifier: GPL-2.0-or-later
5*/
6
7#include "greedyscheduler.h"
8
9#include <ekos_scheduler_debug.h>
10
11#include "Options.h"
12#include "scheduler.h"
13#include "ekos/ekos.h"
14#include "ui_scheduler.h"
15#include "schedulerjob.h"
16#include "schedulerutils.h"
17
18#define TEST_PRINT if (false) fprintf
19
20// Can make the scheduling a bit faster by sampling every other minute instead of every minute.
21constexpr int SCHEDULE_RESOLUTION_MINUTES = 2;
22
23namespace Ekos
24{
25
26GreedyScheduler::GreedyScheduler()
27{
28}
29
30void GreedyScheduler::setParams(bool restartImmediately, bool restartQueue,
31 bool rescheduleErrors, int abortDelay,
32 int errorHandlingDelay)
33{
34 setRescheduleAbortsImmediate(restartImmediately);
35 setRescheduleAbortsQueue(restartQueue);
36 setRescheduleErrors(rescheduleErrors);
37 setAbortDelaySeconds(abortDelay);
38 setErrorDelaySeconds(errorHandlingDelay);
39}
40
41// The possible changes made to a job in jobs are:
42// Those listed in prepareJobsForEvaluation()
43// Those listed in selectNextJob
44// job->clearCache()
45// job->updateJobCells()
46
47void GreedyScheduler::scheduleJobs(const QList<SchedulerJob *> &jobs,
48 const QDateTime &now,
49 const QMap<QString, uint16_t> &capturedFramesCount,
50 ModuleLogger *logger)
51{
52 for (auto job : jobs)
53 job->clearCache();
54
55 QDateTime when;
56 QElapsedTimer timer;
57 timer.start();
58 scheduledJob = nullptr;
59 schedule.clear();
60
61 prepareJobsForEvaluation(jobs, now, capturedFramesCount, logger);
62
63 // consider only lead jobs for scheduling, scheduling data is propagated to its follower jobs
64 const QList<SchedulerJob *> leadJobs = SchedulerUtils::filterLeadJobs(jobs);
65
66 scheduledJob = selectNextJob(leadJobs, now, nullptr, SIMULATE, &when, nullptr, nullptr, &capturedFramesCount);
67 auto schedule = getSchedule();
68 if (logger != nullptr)
69 {
70 if (!schedule.empty())
71 {
72 // Print in reverse order ?! The log window at the bottom of the screen
73 // prints "upside down" -- most recent on top -- and I believe that view
74 // is more important than the log file (where we can invert when debugging).
75 for (int i = schedule.size() - 1; i >= 0; i--)
76 logger->appendLogText(GreedyScheduler::jobScheduleString(schedule[i]));
77 logger->appendLogText(QString("Greedy Scheduler plan for the next 48 hours starting %1 (%2)s:")
78 .arg(now.toString()).arg(timer.elapsed() / 1000.0));
79 }
80 else logger->appendLogText(QString("Greedy Scheduler: empty plan (%1s)").arg(timer.elapsed() / 1000.0));
81 }
82 if (scheduledJob != nullptr)
83 {
84 qCDebug(KSTARS_EKOS_SCHEDULER)
85 << QString("Greedy Scheduler scheduling next job %1 at %2")
86 .arg(scheduledJob->getName(), when.toString("hh:mm"));
87 scheduledJob->setState(SCHEDJOB_SCHEDULED);
88 scheduledJob->setStartupTime(when);
89 }
90
91 for (auto job : jobs)
92 job->clearCache();
93}
94
95// The changes made to a job in jobs are:
96// Those listed in selectNextJob()
97// Not a const method because it sets the schedule class variable.
98bool GreedyScheduler::checkJob(const QList<SchedulerJob *> &jobs,
99 const QDateTime &now,
100 const SchedulerJob * const currentJob)
101{
102 // Don't interrupt a job that just started.
103 if (currentJob && currentJob->getStateTime().secsTo(now) < 5)
104 return true;
105
106 QDateTime startTime;
107
108 // Simulating in checkJob() is only done to update the schedule which is a GUI convenience.
109 // Do it only if its quick and not more frequently than once per minute.
110 SimulationType simType = SIMULATE_EACH_JOB_ONCE;
111 if (m_SimSeconds > 0.5 ||
112 (m_LastCheckJobSim.isValid() && m_LastCheckJobSim.secsTo(now) < 60))
113 simType = DONT_SIMULATE;
114
115 const SchedulerJob *next = selectNextJob(jobs, now, currentJob, simType, &startTime);
116 if (next == currentJob && now.secsTo(startTime) <= 1)
117 {
118 if (simType != DONT_SIMULATE)
119 m_LastCheckJobSim = now;
120
121 return true;
122 }
123 else
124 {
125 // We need to interrupt the current job. There's a higher-priority one to run.
126 qCDebug(KSTARS_EKOS_SCHEDULER)
127 << QString("Greedy Scheduler bumping current job %1 for %2 at %3")
128 .arg(currentJob->getName(), next ? next->getName() : "---", now.toString("hh:mm"));
129 return false;
130 }
131}
132
133// The changes made to a job in jobs are:
134// job->setState(JOB_COMPLETE|JOB_EVALUATION|JOB_INVALID|JOB_COMPLETEno_change)
135// job->setEstimatedTime(0|-1|-2|time)
136// job->setInitialFilter(filter)
137// job->setLightFramesRequired(bool)
138// job->setInSequenceFocus(bool);
139// job->setCompletedIterations(completedIterations);
140// job->setCapturedFramesMap(capture_map);
141// job->setSequenceCount(count);
142// job->setEstimatedTimePerRepeat(time);
143// job->setEstimatedTimeLeftThisRepeat(time);
144// job->setEstimatedStartupTime(time);
145// job->setCompletedCount(count);
146
147void GreedyScheduler::prepareJobsForEvaluation(
148 const QList<SchedulerJob *> &jobs, const QDateTime &now,
149 const QMap<QString, uint16_t> &capturedFramesCount, ModuleLogger *logger, bool reestimateJobTimes) const
150{
151 // Remove some finished jobs from eval.
152 foreach (SchedulerJob *job, jobs)
153 {
154 job->clearSimulatedSchedule();
155 switch (job->getCompletionCondition())
156 {
157 case FINISH_AT:
158 /* If planned finishing time has passed, the job is set to IDLE waiting for a next chance to run */
159 if (job->getFinishAtTime().isValid() && job->getFinishAtTime() < now)
160 {
161 job->setState(SCHEDJOB_COMPLETE);
162 continue;
163 }
164 break;
165
166 case FINISH_REPEAT:
167 // In case of a repeating jobs, let's make sure we have more runs left to go
168 // If we don't, re-estimate imaging time for the scheduler job before concluding
169 if (job->getRepeatsRemaining() == 0)
170 {
171 if (logger != nullptr) logger->appendLogText(i18n("Job '%1' has no more batches remaining.", job->getName()));
172 job->setState(SCHEDJOB_COMPLETE);
173 job->setEstimatedTime(0);
174 continue;
175 }
176 break;
177
178 default:
179 break;
180 }
181 }
182
183 // Change the state to eval or ERROR/ABORTED for all jobs that will be evaluated.
184 foreach (SchedulerJob *job, jobs)
185 {
186 switch (job->getState())
187 {
188 case SCHEDJOB_INVALID:
190 // If job is invalid or complete, bypass evaluation.
191 break;
192
193 case SCHEDJOB_ERROR:
194 case SCHEDJOB_ABORTED:
195 // These will be evaluated, but we'll have a delay to start.
196 break;
197 case SCHEDJOB_IDLE:
198 case SCHEDJOB_BUSY:
201 default:
202 job->setState(SCHEDJOB_EVALUATION);
203 break;
204 }
205 }
206
207 // Estimate the job times
208 foreach (SchedulerJob *job, jobs)
209 {
210 if (job->getState() == SCHEDJOB_INVALID || job->getState() == SCHEDJOB_COMPLETE)
211 continue;
212
213 // -1 = Job is not estimated yet
214 // -2 = Job is estimated but time is unknown
215 // > 0 Job is estimated and time is known
216 if (reestimateJobTimes)
217 {
218 job->setEstimatedTime(-1);
219 if (SchedulerUtils::estimateJobTime(job, capturedFramesCount, logger) == false)
220 {
221 job->setState(SCHEDJOB_INVALID);
222 continue;
223 }
224 }
225 if (job->getEstimatedTime() == 0)
226 {
227 job->setRepeatsRemaining(0);
228 // set job including its followers to complete state
229 job->setState(SCHEDJOB_COMPLETE, true);
230 continue;
231 }
232 TEST_PRINT(stderr, "JOB %s estimated time: %ld state %d\n", job->getName().toLatin1().data(), job->getEstimatedTime(),
233 job->getState());
234 }
235}
236
237namespace
238{
239// Don't Allow INVALID or COMPLETE jobs to be scheduled.
240// Allow ABORTED if one of the rescheduleAbort... options are true.
241// Allow ERROR if rescheduleErrors is true.
242bool allowJob(const SchedulerJob *job, bool rescheduleAbortsImmediate, bool rescheduleAbortsQueue, bool rescheduleErrors)
243{
244 if (job->getState() == SCHEDJOB_INVALID || job->getState() == SCHEDJOB_COMPLETE)
245 return false;
246 if (job->getState() == SCHEDJOB_ABORTED && !rescheduleAbortsImmediate && !rescheduleAbortsQueue)
247 return false;
248 if (job->getState() == SCHEDJOB_ERROR && !rescheduleErrors)
249 return false;
250 return true;
251}
252
253// Returns the first possible time a job may be scheduled. That is, it doesn't
254// evaluate the job, but rather just computes the needed delay (for ABORT and ERROR jobs)
255// or returns now for other jobs.
256QDateTime firstPossibleStart(const SchedulerJob *job, const QDateTime &now,
257 bool rescheduleAbortsQueue, int abortDelaySeconds,
258 bool rescheduleErrors, int errorDelaySeconds)
259{
260 QDateTime possibleStart = now;
261 const QDateTime &abortTime = job->getLastAbortTime();
262 const QDateTime &errorTime = job->getLastErrorTime();
263
264 if (abortTime.isValid() && rescheduleAbortsQueue)
265 {
266 auto abortStartTime = abortTime.addSecs(abortDelaySeconds);
267 if (abortStartTime > now)
268 possibleStart = abortStartTime;
269 }
270
271
272 if (errorTime.isValid() && rescheduleErrors)
273 {
274 auto errorStartTime = errorTime.addSecs(errorDelaySeconds);
275 if (errorStartTime > now)
276 possibleStart = errorStartTime;
277 }
278
279 if (!possibleStart.isValid() || possibleStart < now)
280 possibleStart = now;
281 return possibleStart;
282}
283} // namespace
284
285// Consider all jobs marked as JOB_EVALUATION/ABORT/ERROR. Assume ordered by highest priority first.
286// - Find the job with the earliest start time (given constraints like altitude, twilight, ...)
287// that can run for at least 10 minutes before a higher priority job.
288// - START_AT jobs are given the highest priority, whereever on the list they may be,
289// as long as they can start near their designated start times.
290// - Compute a schedule for the next 2 days, if fullSchedule is true, otherwise
291// just look for the next job.
292// - If currentJob is not nullptr, this method is really evaluating whether
293// that job can continue to be run, or if can't meet constraints, or if it
294// should be preempted for another job.
295//
296// This does not modify any of the jobs in jobs if there is no simType is DONT_SIMULATE.
297// If we are simulating, then jobs may change in the following ways:
298// job->setGreedyCompletionTime()
299// job->setState(state);
300// job->setStartupTime(time);
301// job->setStopReason(reason);
302// The only reason this isn't a const method is because it sets the schedule class variable.
303SchedulerJob *GreedyScheduler::selectNextJob(const QList<SchedulerJob *> &jobs, const QDateTime &now,
304 const SchedulerJob * const currentJob, SimulationType simType, QDateTime *when,
305 QDateTime *nextInterruption, QString *interruptReason,
306 const QMap<QString, uint16_t> *capturedFramesCount)
307{
308 TEST_PRINT(stderr, "selectNextJob(%s)\n", now.toString().toLatin1().data());
309 // Don't schedule a job that will be preempted in less than MIN_RUN_SECS.
310 constexpr int MIN_RUN_SECS = 10 * 60;
311
312 // Don't preempt a job for another job that is more than MAX_INTERRUPT_SECS in the future.
313 constexpr int MAX_INTERRUPT_SECS = 30;
314
315 // Don't interrupt START_AT jobs unless they can no longer run, or they're interrupted by another START_AT.
316 bool currentJobIsStartAt = (currentJob && currentJob->getFileStartupCondition() == START_AT &&
317 currentJob->getStartAtTime().isValid());
318 QDateTime nextStart;
319 SchedulerJob * nextJob = nullptr;
320 QString interruptStr;
321
322 for (int i = 0; i < jobs.size(); ++i)
323 {
324 SchedulerJob * const job = jobs[i];
325 const bool evaluatingCurrentJob = (currentJob && (job == currentJob));
326
327 TEST_PRINT(stderr, " considering %s (%s)\n", job->getName().toLatin1().data(), evaluatingCurrentJob ? "evaluating" : "");
328
329 if (!allowJob(job, rescheduleAbortsImmediate, rescheduleAbortsQueue, rescheduleErrors))
330 {
331 TEST_PRINT(stderr, " not allowed\n");
332 continue;
333 }
334
335 // If the job state is abort or error, might have to delay the first possible start time.
336 QDateTime startSearchingtAt = firstPossibleStart(
337 job, now, rescheduleAbortsQueue, abortDelaySeconds, rescheduleErrors, errorDelaySeconds);
338
339 TEST_PRINT(stderr, " start searching at %s\n", startSearchingtAt.toString().toLatin1().data());
340 // Find the first time this job can meet all its constraints.
341 // I found that passing in an "until" 4th argument actually hurt performance, as it reduces
342 // the effectiveness of the cache that getNextPossibleStartTime uses.
343 const QDateTime startTime = job->getNextPossibleStartTime(startSearchingtAt, SCHEDULE_RESOLUTION_MINUTES,
344 evaluatingCurrentJob);
345 TEST_PRINT(stderr, " startTime %s\n", startTime.toString().toLatin1().data());
346
347 if (startTime.isValid())
348 {
349 if (nextJob == nullptr)
350 {
351 // We have no other solutions--this is our best solution so far.
352 nextStart = startTime;
353 nextJob = job;
354 if (nextInterruption) *nextInterruption = QDateTime();
355 interruptStr = "";
356 }
357 else if (Options::greedyScheduling())
358 {
359 // Allow this job to be scheduled if it can run this many seconds
360 // before running into a higher priority job.
361 const int runSecs = evaluatingCurrentJob ? MAX_INTERRUPT_SECS : MIN_RUN_SECS;
362
363 // Don't interrupt a START_AT for higher priority job
364 if (evaluatingCurrentJob && currentJobIsStartAt)
365 {
366 if (nextInterruption) *nextInterruption = QDateTime();
367 nextStart = startTime;
368 nextJob = job;
369 interruptStr = "";
370 }
371 else if (startTime.secsTo(nextStart) > runSecs)
372 {
373 // We can start a lower priority job if it can run for at least runSecs
374 // before getting bumped by the previous higher priority job.
375 if (nextInterruption) *nextInterruption = nextStart;
376 interruptStr = QString("interrupted by %1").arg(nextJob->getName());
377 nextStart = startTime;
378 nextJob = job;
379 }
380 }
381 // If scheduling, and we have a solution close enough to now, none of the lower priority
382 // jobs can possibly be scheduled.
383 if (!currentJob && nextStart.isValid() && now.secsTo(nextStart) < MIN_RUN_SECS)
384 break;
385 }
386 else if (evaluatingCurrentJob)
387 {
388 // No need to keep searching past the current job if we're evaluating it
389 // and it had no startTime. It needs to be stopped.
390 *when = QDateTime();
391 return nullptr;
392 }
393
394 if (evaluatingCurrentJob) break;
395 }
396 if (nextJob != nullptr)
397 {
398 // The exception to the simple scheduling rules above are START_AT jobs, which
399 // are given highest priority, irrespective of order. If nextJob starts less than
400 // MIN_RUN_SECS before an on-time START_AT job, then give the START_AT job priority.
401 // However, in order for the START_AT job to interrupt a current job, it must start now.
402 for (int i = 0; i < jobs.size(); ++i)
403 {
404 SchedulerJob * const atJob = jobs[i];
405 if (atJob == nextJob)
406 continue;
407 const QDateTime atTime = atJob->getStartAtTime();
408 if (atJob->getFileStartupCondition() == START_AT && atTime.isValid())
409 {
410 if (!allowJob(atJob, rescheduleAbortsImmediate, rescheduleAbortsQueue, rescheduleErrors))
411 continue;
412 // If the job state is abort or error, might have to delay the first possible start time.
413 QDateTime startSearchingtAt = firstPossibleStart(
414 atJob, now, rescheduleAbortsQueue, abortDelaySeconds, rescheduleErrors,
415 errorDelaySeconds);
416 // atTime above is the user-specified start time. atJobStartTime is the time it can
417 // actually start, given all the constraints (altitude, twilight, etc).
418 const QDateTime atJobStartTime = atJob->getNextPossibleStartTime(startSearchingtAt, SCHEDULE_RESOLUTION_MINUTES, currentJob
419 && (atJob == currentJob));
420 if (atJobStartTime.isValid())
421 {
422 // This difference between the user-specified start time, and the time it can really start.
423 const double startDelta = atJobStartTime.secsTo(atTime);
424 if (fabs(startDelta) < 20 * 60)
425 {
426 // If we're looking for a new job to start, then give the START_AT priority
427 // if it's within 10 minutes of its user-specified time.
428 // However, if we're evaluating the current job (called from checkJob() above)
429 // then only interrupt it if the START_AT job can start very soon.
430 const int gap = currentJob == nullptr ? MIN_RUN_SECS : 30;
431 if (nextStart.secsTo(atJobStartTime) <= gap)
432 {
433 nextJob = atJob;
434 nextStart = atJobStartTime;
435 if (nextInterruption) *nextInterruption = QDateTime(); // Not interrupting atJob
436 }
437 else if (nextInterruption)
438 {
439 // The START_AT job was not chosen to start now, but it's still possible
440 // that this atJob will be an interrupter.
441 if (!nextInterruption->isValid() ||
442 atJobStartTime.secsTo(*nextInterruption) < 0)
443 {
444 *nextInterruption = atJobStartTime;
445 interruptStr = QString("interrupted by %1").arg(atJob->getName());
446 }
447 }
448 }
449 }
450 }
451 }
452
453 // If the selected next job is part of a group, then we may schedule other members of the group if
454 // - the selected job is a repeating job and
455 // - another group member is runnable now and
456 // - that group mnember is behind the selected job's iteration.
457 if (nextJob && !nextJob->getGroup().isEmpty() && Options::greedyScheduling() && nextJob->getCompletedIterations() > 0)
458 {
459 TEST_PRINT(stderr, " Considering GROUPS (%d jobs) selected %s\n", jobs.size(), nextJob->getName().toLatin1().data());
460 // Iterate through the jobs list, first finding the selected job, the looking at all jobs after that.
461 bool foundSelectedJob = false;
462 for (int i = 0; i < jobs.size(); ++i)
463 {
464 SchedulerJob * const job = jobs[i];
465 if (job == nextJob)
466 {
467 foundSelectedJob = true;
468 continue;
469 }
470
471 TEST_PRINT(stderr, " Job %s (group %s) %s (%d vs %d iterations) %s\n",
472 job->getName().toLatin1().data(), (job->getGroup() != nextJob->getGroup()) ? "Different" : "Same",
473 foundSelectedJob ? "Found" : "not found yet",
474 job->getCompletedIterations(), nextJob->getCompletedIterations(),
475 allowJob(job, rescheduleAbortsImmediate, rescheduleAbortsQueue, rescheduleErrors) ? "allowed" : "not allowed");
476 // Only jobs with lower priority than nextJob--higher priority jobs already have been considered and rejected.
477 // Only consider jobs in the same group as nextJob
478 // Only consider jobs with fewer iterations than nextJob.
479 // Only consider jobs that are allowed.
480 if (!foundSelectedJob ||
481 (job->getGroup() != nextJob->getGroup()) ||
482 (job->getCompletedIterations() >= nextJob->getCompletedIterations()) ||
483 !allowJob(job, rescheduleAbortsImmediate, rescheduleAbortsQueue, rescheduleErrors))
484 continue;
485
486 const bool evaluatingCurrentJob = (currentJob && (job == currentJob));
487
488 // If the job state is abort or error, might have to delay the first possible start time.
489 QDateTime startSearchingtAt = firstPossibleStart(
490 job, now, rescheduleAbortsQueue, abortDelaySeconds, rescheduleErrors, errorDelaySeconds);
491
492 // Find the first time this job can meet all its constraints.
493 const QDateTime startTime = job->getNextPossibleStartTime(startSearchingtAt, SCHEDULE_RESOLUTION_MINUTES,
494 evaluatingCurrentJob);
495
496 // Only consider jobs that can start soon.
497 if (!startTime.isValid() || startTime.secsTo(nextStart) > MAX_INTERRUPT_SECS)
498 continue;
499
500 // Don't interrupt a START_AT for higher priority job
501 if (evaluatingCurrentJob && currentJobIsStartAt)
502 {
503 if (nextInterruption) *nextInterruption = QDateTime();
504 nextStart = startTime;
505 nextJob = job;
506 interruptStr = "";
507 }
508 else if (startTime.secsTo(nextStart) >= -MAX_INTERRUPT_SECS)
509 {
510 // Use this group member, keeping the old interruption variables.
511 nextStart = startTime;
512 nextJob = job;
513 }
514 }
515 }
516 }
517 if (when != nullptr) *when = nextStart;
518 if (interruptReason != nullptr) *interruptReason = interruptStr;
519
520 // Needed so display says "Idle" for unscheduled jobs.
521 // This will also happen in simulate, but that isn't called if nextJob is null.
522 // Must test for !nextJob. setState() inside unsetEvaluation has a nasty side effect
523 // of clearing the estimated time.
524 if (!nextJob)
525 unsetEvaluation(jobs);
526
527 QElapsedTimer simTimer;
528 simTimer.start();
529 const int simDays = SIM_HOURS * 3600;
530 if (simType != DONT_SIMULATE && nextJob != nullptr)
531 {
532 QDateTime simulationLimit = now.addSecs(simDays);
533 schedule.clear();
534 QDateTime simEnd = simulate(jobs, now, simulationLimit, capturedFramesCount, simType);
535
536 // This covers the scheduler's "repeat after completion" option,
537 // which only applies if rememberJobProgress is false.
538 if (!Options::rememberJobProgress() && Options::schedulerRepeatEverything())
539 {
540 int repeats = 0, maxRepeats = 5;
541 while (simEnd.isValid() && simEnd.secsTo(simulationLimit) > 0 && ++repeats < maxRepeats)
542 {
543 simEnd = simEnd.addSecs(60);
544 simEnd = simulate(jobs, simEnd, simulationLimit, nullptr, simType);
545 }
546 }
547 m_SimSeconds = simTimer.elapsed() / 1000.0;
548 TEST_PRINT(stderr, "********************************* simulate(%s,%d) took %.3fs\n",
549 simType == SIMULATE ? "SIM" : "ONLY_1", SIM_HOURS, m_SimSeconds);
550 }
551
552 return nextJob;
553}
554
555// The only reason this isn't a const method is because it sets the schedule class variable
556QDateTime GreedyScheduler::simulate(const QList<SchedulerJob *> &jobs, const QDateTime &time, const QDateTime &endTime,
557 const QMap<QString, uint16_t> *capturedFramesCount, SimulationType simType)
558{
559 TEST_PRINT(stderr, "%d simulate()\n", __LINE__);
560 // Make a deep copy of jobs
561 QList<SchedulerJob *> copiedJobs;
562 QList<SchedulerJob *> scheduledJobs;
563 QDateTime simEndTime;
564
565 foreach (SchedulerJob *job, jobs)
566 {
567 SchedulerJob *newJob = new SchedulerJob();
568 // Make sure the copied class pointers aren't affected!
569 *newJob = *job;
570 // clear follower job lists to avoid links to existing jobs
571 newJob->followerJobs().clear();
572 newJob->clearSimulatedSchedule();
573 copiedJobs.append(newJob);
574 job->setStopTime(QDateTime());
575 }
576
577 // The number of jobs we have that can be scheduled,
578 // and the number of them where a simulated start has been scheduled.
579 int numStartupCandidates = 0, numStartups = 0;
580 // Reset the start times.
581 foreach (SchedulerJob *job, copiedJobs)
582 {
583 job->setStartupTime(QDateTime());
584 const auto state = job->getState();
585 if (state == SCHEDJOB_SCHEDULED || state == SCHEDJOB_EVALUATION ||
586 state == SCHEDJOB_BUSY || state == SCHEDJOB_IDLE)
587 numStartupCandidates++;
588 }
589
590 QMap<QString, uint16_t> capturedFramesCopy;
591 if (capturedFramesCount != nullptr)
592 capturedFramesCopy = *capturedFramesCount;
593 QList<SchedulerJob *>simJobs = copiedJobs;
594 prepareJobsForEvaluation(copiedJobs, time, capturedFramesCopy, nullptr, false);
595
596 QDateTime simTime = time;
597 int iterations = 0;
598 bool exceededIterations = false;
599 QHash<SchedulerJob*, int> workDone;
600 QHash<SchedulerJob*, int> originalIteration, originalSecsLeftIteration;
601
602 for(int i = 0; i < simJobs.size(); ++i)
603 workDone[simJobs[i]] = 0.0;
604
605 while (true)
606 {
607 QDateTime jobStartTime;
608 QDateTime jobInterruptTime;
609 QString interruptReason;
610 // Find the next job to be scheduled, when it starts, and when a higher priority
611 // job might preempt it, why it would be preempted.
612 // Note: 4th arg, fullSchedule, must be false or we'd loop forever.
613 SchedulerJob *selectedJob =
614 selectNextJob(simJobs, simTime, nullptr, DONT_SIMULATE, &jobStartTime, &jobInterruptTime, &interruptReason);
615 if (selectedJob == nullptr)
616 break;
617
618 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString("%1 starting at %2 interrupted at \"%3\" reason \"%4\"")
619 .arg(selectedJob->getName()).arg(jobStartTime.toString("MM/dd hh:mm"))
620 .arg(jobInterruptTime.toString("MM/dd hh:mm")).arg(interruptReason).toLatin1().data());
621 // Are we past the end time?
622 if (endTime.isValid() && jobStartTime.secsTo(endTime) < 0) break;
623
624 // It's possible there are start_at jobs that can preempt this job.
625 // Find the next start_at time, and use that as an end constraint to getNextEndTime
626 // if it's before jobInterruptTime.
627 QDateTime nextStartAtTime;
628 foreach (SchedulerJob *job, simJobs)
629 {
630 if (job != selectedJob &&
631 job->getStartupCondition() == START_AT &&
632 jobStartTime.secsTo(job->getStartupTime()) > 0 &&
633 (job->getState() == SCHEDJOB_EVALUATION ||
634 job->getState() == SCHEDJOB_SCHEDULED))
635 {
636 QDateTime startAtTime = job->getStartupTime();
637 if (!nextStartAtTime.isValid() || nextStartAtTime.secsTo(startAtTime) < 0)
638 nextStartAtTime = startAtTime;
639 }
640 }
641 // Check to see if the above start-at stop time is before the interrupt stop time.
642 QDateTime constraintStopTime = jobInterruptTime;
643 if (nextStartAtTime.isValid() &&
644 (!constraintStopTime.isValid() ||
645 nextStartAtTime.secsTo(constraintStopTime) < 0))
646 {
647 constraintStopTime = nextStartAtTime;
648 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" job will be interrupted by a START_AT job").toLatin1().data());
649 }
650
651 QString constraintReason;
652 // Get the time that this next job would fail its constraints, and a human-readable explanation.
653 QDateTime jobConstraintTime = selectedJob->getNextEndTime(jobStartTime, SCHEDULE_RESOLUTION_MINUTES, &constraintReason,
654 constraintStopTime);
655 if (nextStartAtTime.isValid() && jobConstraintTime.isValid() &&
656 std::abs(jobConstraintTime.secsTo(nextStartAtTime)) < 2 * SCHEDULE_RESOLUTION_MINUTES)
657 constraintReason = "interrupted by start-at job";
658 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" constraint \"%1\" reason \"%2\"")
659 .arg(jobConstraintTime.toString("MM/dd hh:mm")).arg(constraintReason).toLatin1().data());
660 QDateTime jobCompletionTime;
661 TEST_PRINT(stderr, "%d %s\n", __LINE__,
662 QString(" estimated time = %1").arg(selectedJob->getEstimatedTime()).toLatin1().data());
663 if (selectedJob->getEstimatedTime() > 0)
664 {
665 // Estimate when the job might complete, if it was allowed to run without interruption.
666 const int timeLeft = selectedJob->getEstimatedTime() - workDone[selectedJob];
667 jobCompletionTime = jobStartTime.addSecs(timeLeft);
668 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" completion \"%1\" time left %2s")
669 .arg(jobCompletionTime.toString("MM/dd hh:mm")).arg(timeLeft).toLatin1().data());
670 }
671 // Consider the 3 stopping times computed above (preemption, constraints missed, and completion),
672 // see which comes soonest, and set the jobStopTime and jobStopReason.
673 QDateTime jobStopTime = jobInterruptTime;
674 QString stopReason = jobStopTime.isValid() ? interruptReason : "";
675 if (jobConstraintTime.isValid() && (!jobStopTime.isValid() || jobStopTime.secsTo(jobConstraintTime) < 0))
676 {
677 stopReason = constraintReason;
678 jobStopTime = jobConstraintTime;
679 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" picked constraint").toLatin1().data());
680 }
681 if (jobCompletionTime.isValid() && (!jobStopTime.isValid() || jobStopTime.secsTo(jobCompletionTime) < 0))
682 {
683 stopReason = "job completion";
684 jobStopTime = jobCompletionTime;
685 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" picked completion").toLatin1().data());
686 }
687
688 // This if clause handles the simulation of scheduler repeat groups
689 // which applies to scheduler jobs with repeat-style completion conditions.
690 if (!selectedJob->getGroup().isEmpty() &&
691 (selectedJob->getCompletionCondition() == FINISH_LOOP ||
692 selectedJob->getCompletionCondition() == FINISH_REPEAT ||
693 selectedJob->getCompletionCondition() == FINISH_AT))
694 {
695 if (originalIteration.find(selectedJob) == originalIteration.end())
696 originalIteration[selectedJob] = selectedJob->getCompletedIterations();
697 if (originalSecsLeftIteration.find(selectedJob) == originalSecsLeftIteration.end())
698 originalSecsLeftIteration[selectedJob] = selectedJob->getEstimatedTimeLeftThisRepeat();
699
700 // Estimate the time it would take to complete the current repeat, if this is a repeated job.
701 int leftThisRepeat = selectedJob->getEstimatedTimeLeftThisRepeat();
702 int secsPerRepeat = selectedJob->getEstimatedTimePerRepeat();
703 int secsLeftThisRepeat = (workDone[selectedJob] < leftThisRepeat) ?
704 leftThisRepeat - workDone[selectedJob] : secsPerRepeat;
705
706 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" sec per repeat %1 sec left this repeat %2")
707 .arg(secsPerRepeat).arg(secsLeftThisRepeat).toLatin1().data());
708
709 if (workDone[selectedJob] == 0)
710 {
711 secsLeftThisRepeat += selectedJob->getEstimatedStartupTime();
712 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" adding %1 to secsLeftThisRepeat")
713 .arg(selectedJob->getEstimatedStartupTime()).arg(secsLeftThisRepeat).toLatin1().data());
714 }
715
716 // If it would finish a repeat, run one repeat and see if it would still be scheduled.
717 if (secsLeftThisRepeat > 0 &&
718 (!jobStopTime.isValid() || secsLeftThisRepeat < jobStartTime.secsTo(jobStopTime)))
719 {
720 auto tempStart = jobStartTime;
721 auto tempInterrupt = jobInterruptTime;
722 auto tempReason = stopReason;
723 SchedulerJob keepJob = *selectedJob;
724
725 auto t = jobStartTime.addSecs(secsLeftThisRepeat);
726 int iteration = selectedJob->getCompletedIterations();
727 int iters = 0, maxIters = 20; // just in case...
728 while ((!jobStopTime.isValid() || t.secsTo(jobStopTime) > 0) && iters++ < maxIters)
729 {
730 selectedJob->setCompletedIterations(++iteration);
731 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" iteration=%1").arg(iteration).toLatin1().data());
732 SchedulerJob *next = selectNextJob(simJobs, t, nullptr, DONT_SIMULATE, &tempStart, &tempInterrupt, &tempReason);
733 if (next != selectedJob)
734 {
735 stopReason = "interrupted for group member";
736 jobStopTime = t;
737 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" switched to group member %1 at %2")
738 .arg(next == nullptr ? "null" : next->getName()).arg(t.toString("MM/dd hh:mm")).toLatin1().data());
739
740 break;
741 }
742 t = t.addSecs(secsPerRepeat);
743 }
744 *selectedJob = keepJob;
745 }
746 }
747
748 // Increment the work done, for the next time this job might be scheduled in this simulation.
749 if (jobStopTime.isValid())
750 {
751 const int secondsRun = jobStartTime.secsTo(jobStopTime);
752 workDone[selectedJob] += secondsRun;
753
754 if ((originalIteration.find(selectedJob) != originalIteration.end()) &&
755 (originalSecsLeftIteration.find(selectedJob) != originalSecsLeftIteration.end()))
756 {
757 int completedIterations = originalIteration[selectedJob];
758 if (workDone[selectedJob] >= originalSecsLeftIteration[selectedJob] &&
759 selectedJob->getEstimatedTimePerRepeat() > 0)
760 completedIterations +=
761 1 + (workDone[selectedJob] - originalSecsLeftIteration[selectedJob]) / selectedJob->getEstimatedTimePerRepeat();
762 TEST_PRINT(stderr, "%d %s\n", __LINE__,
763 QString(" work sets interations=%1").arg(completedIterations).toLatin1().data());
764 selectedJob->setCompletedIterations(completedIterations);
765 }
766 }
767
768 // Set the job's startupTime, but only for the first time the job will be scheduled.
769 // This will be used by the scheduler's UI when displaying the job schedules.
770 if (!selectedJob->getStartupTime().isValid())
771 {
772 numStartups++;
773 selectedJob->setStartupTime(jobStartTime);
774 selectedJob->setStopTime(jobStopTime);
775 selectedJob->setStopReason(stopReason);
776 selectedJob->setState(SCHEDJOB_SCHEDULED);
777 scheduledJobs.append(selectedJob);
778 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" Scheduled: %1 %2 -> %3 %4 work done %5s")
779 .arg(selectedJob->getName()).arg(selectedJob->getStartupTime().toString("MM/dd hh:mm"))
780 .arg(selectedJob->getStopTime().toString("MM/dd hh:mm")).arg(selectedJob->getStopReason())
781 .arg(workDone[selectedJob]).toLatin1().data());
782 }
783 else
784 {
785 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" Added: %1 %2 -> %3 %4 work done %5s")
786 .arg(selectedJob->getName()).arg(jobStartTime.toString("MM/dd hh:mm"))
787 .arg(jobStopTime.toString("MM/dd hh:mm")).arg(stopReason)
788 .arg(workDone[selectedJob]).toLatin1().data());
789 }
790
791 // Compute if the simulated job should be considered complete because of work done.
792 if (selectedJob->getEstimatedTime() >= 0 &&
793 workDone[selectedJob] >= selectedJob->getEstimatedTime())
794 {
795 selectedJob->setState(SCHEDJOB_COMPLETE);
796 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString(" job %1 is complete")
797 .arg(selectedJob->getName()).toLatin1().data());
798 }
799 selectedJob->appendSimulatedSchedule(JobSchedule(nullptr, jobStartTime, jobStopTime, stopReason));
800 schedule.append(JobSchedule(jobs[copiedJobs.indexOf(selectedJob)], jobStartTime, jobStopTime, stopReason));
801 simEndTime = jobStopTime;
802 simTime = jobStopTime.addSecs(60);
803
804 // End the simulation if we've crossed endTime, or no further jobs could be started,
805 // or if we've simply run too long.
806 if (!simTime.isValid()) break;
807 if (endTime.isValid() && simTime.secsTo(endTime) < 0) break;
808
809 if (++iterations > std::max(20, numStartupCandidates))
810 {
811 exceededIterations = true;
812 TEST_PRINT(stderr, "%d %s\n", __LINE__, QString("ending simulation after %1 iterations")
813 .arg(iterations).toLatin1().data());
814
815 break;
816 }
817 if (simType == SIMULATE_EACH_JOB_ONCE)
818 {
819 bool allJobsProcessedOnce = true;
820 for (const auto job : simJobs)
821 {
822 if (allowJob(job, rescheduleAbortsImmediate, rescheduleAbortsQueue, rescheduleErrors) &&
823 !job->getStartupTime().isValid())
824 {
825 allJobsProcessedOnce = false;
826 break;
827 }
828 }
829 if (allJobsProcessedOnce)
830 {
831 TEST_PRINT(stderr, "%d ending simulation, all jobs processed once\n", __LINE__);
832 break;
833 }
834 }
835 }
836
837 // This simulation has been run using a deep-copy of the jobs list, so as not to interfere with
838 // some of their stored data. However, we do wish to update several fields of the "real" scheduleJobs.
839 // Note that the original jobs list and "copiedJobs" should be in the same order..
840 for (int i = 0; i < jobs.size(); ++i)
841 {
842 if (scheduledJobs.indexOf(copiedJobs[i]) >= 0)
843 {
844 // If this is a simulation where the job is already running, don't change its state or startup time.
845 if (jobs[i]->getState() != SCHEDJOB_BUSY)
846 {
847 jobs[i]->setState(SCHEDJOB_SCHEDULED);
848 jobs[i]->setStartupTime(copiedJobs[i]->getStartupTime());
849 }
850 // Can't set the standard completionTime as it affects getEstimatedTime()
851 jobs[i]->setStopTime(copiedJobs[i]->getStopTime());
852 jobs[i]->setStopReason(copiedJobs[i]->getStopReason());
853 if (simType == SIMULATE)
854 jobs[i]->setSimulatedSchedule(copiedJobs[i]->getSimulatedSchedule());
855 }
856 }
857 // This should go after above loop. unsetEvaluation calls setState() which clears
858 // certain fields from the state for IDLE states.
859 unsetEvaluation(jobs);
860
861 return exceededIterations ? QDateTime() : simEndTime;
862}
863
864void GreedyScheduler::unsetEvaluation(const QList<SchedulerJob *> &jobs) const
865{
866 for (int i = 0; i < jobs.size(); ++i)
867 {
868 if (jobs[i]->getState() == SCHEDJOB_EVALUATION)
869 jobs[i]->setState(SCHEDJOB_IDLE);
870 }
871}
872
873QString GreedyScheduler::jobScheduleString(const JobSchedule &jobSchedule)
874{
875 return QString("%1\t%2 --> %3 \t%4")
876 .arg(jobSchedule.job->getName(), -10)
877 .arg(jobSchedule.startTime.toString("MM/dd hh:mm"),
878 jobSchedule.stopTime.toString("hh:mm"), jobSchedule.stopReason);
879}
880
881void GreedyScheduler::printSchedule(const QList<JobSchedule> &schedule)
882{
883 foreach (auto &line, schedule)
884 {
885 fprintf(stderr, "%s\n", QString("%1 %2 --> %3 (%4)")
886 .arg(jobScheduleString(line)).toLatin1().data());
887 }
888}
889
890} // namespace Ekos
QString i18n(const char *text, const TYPE &arg...)
Ekos is an advanced Astrophotography tool for Linux.
Definition align.cpp:83
@ SCHEDJOB_ABORTED
Job encountered a transitory issue while processing, and will be rescheduled.
@ SCHEDJOB_INVALID
Job has an incorrect configuration, and cannot proceed.
@ SCHEDJOB_ERROR
Job encountered a fatal issue while processing, and must be reset manually.
@ SCHEDJOB_COMPLETE
Job finished all required captures.
@ SCHEDJOB_EVALUATION
Job is being evaluated.
@ SCHEDJOB_SCHEDULED
Job was evaluated, and has a schedule.
@ SCHEDJOB_BUSY
Job is being processed.
@ SCHEDJOB_IDLE
Job was just created, and is not evaluated yet.
const QList< QKeySequence > & next()
QCA_EXPORT Logger * logger()
char * data()
QDateTime addSecs(qint64 s) const const
bool isValid() const const
qint64 secsTo(const QDateTime &other) const const
QString toString(QStringView format, QCalendar cal) const const
qint64 elapsed() const const
iterator end()
iterator find(const Key &key)
void append(QList< T > &&value)
qsizetype indexOf(const AT &value, qsizetype from) const const
qsizetype size() const const
QString & append(QChar ch)
QString arg(Args &&... args) const const
QByteArray toLatin1() const const
This file is part of the KDE documentation.
Documentation copyright © 1996-2025 The KDE developers.
Generated on Fri Mar 28 2025 11:57:24 by doxygen 1.13.2 written by Dimitri van Heesch, © 1997-2006

KDE's Doxygen guidelines are available online.