Kstars

schedulerjob.cpp
1/* Ekos Scheduler Job
2 SPDX-FileCopyrightText: Jasem Mutlaq <mutlaqja@ikarustech.com>
3
4 SPDX-License-Identifier: GPL-2.0-or-later
5*/
6
7#include "schedulerjob.h"
8
9#include "dms.h"
10#include "artificialhorizoncomponent.h"
11#include "kstarsdata.h"
12#include "skymapcomposite.h"
13#include "Options.h"
14#include "scheduler.h"
15#include "schedulermodulestate.h"
16#include "schedulerutils.h"
17#include "ksmoon.h"
18#include "ksnotification.h"
19
20#include <ekos_scheduler_debug.h>
21
22#define BAD_SCORE -1000
23#define MIN_ALTITUDE 15.0
24
25namespace Ekos
26{
27GeoLocation *SchedulerJob::storedGeo = nullptr;
28KStarsDateTime *SchedulerJob::storedLocalTime = nullptr;
29ArtificialHorizon *SchedulerJob::storedHorizon = nullptr;
30
31QString SchedulerJob::jobStatusString(SchedulerJobStatus state)
32{
33 switch(state)
34 {
35 case SCHEDJOB_IDLE:
36 return "IDLE";
38 return "EVAL";
40 return "SCHEDULED";
41 case SCHEDJOB_BUSY:
42 return "BUSY";
43 case SCHEDJOB_ERROR:
44 return "ERROR";
46 return "ABORTED";
48 return "INVALID";
50 return "COMPLETE";
51 }
52 return QString("????");
53}
54
55QString SchedulerJob::jobStageString(SchedulerJobStage state)
56{
57 switch(state)
58 {
59 case SCHEDSTAGE_IDLE:
60 return "IDLE";
61 case SCHEDSTAGE_SLEWING:
62 return "SLEWING";
63 case SCHEDSTAGE_SLEW_COMPLETE:
64 return "SLEW_COMPLETE";
65 case SCHEDSTAGE_FOCUSING:
66 return "FOCUSING";
67 case SCHEDSTAGE_FOCUS_COMPLETE:
68 return "FOCUS_COMPLETE";
69 case SCHEDSTAGE_ALIGNING:
70 return "ALIGNING";
71 case SCHEDSTAGE_ALIGN_COMPLETE:
72 return "ALIGN_COMPLETE";
73 case SCHEDSTAGE_RESLEWING:
74 return "RESLEWING";
75 case SCHEDSTAGE_RESLEWING_COMPLETE:
76 return "RESLEWING_COMPLETE";
77 case SCHEDSTAGE_POSTALIGN_FOCUSING:
78 return "POSTALIGN_FOCUSING";
79 case SCHEDSTAGE_POSTALIGN_FOCUSING_COMPLETE:
80 return "POSTALIGN_FOCUSING_COMPLETE";
81 case SCHEDSTAGE_GUIDING:
82 return "GUIDING";
83 case SCHEDSTAGE_GUIDING_COMPLETE:
84 return "GUIDING_COMPLETE";
85 case SCHEDSTAGE_CAPTURING:
86 return "CAPTURING";
87 case SCHEDSTAGE_COMPLETE:
88 return "COMPLETE";
89 }
90 return QString("????");
91}
92
93QString SchedulerJob::jobStartupConditionString(StartupCondition condition) const
94{
95 switch(condition)
96 {
97 case START_ASAP:
98 return "ASAP";
99 case START_AT:
100 return QString("AT %1").arg(getStartAtTime().toString("MM/dd hh:mm"));
101 }
102 return QString("????");
103}
104
105QString SchedulerJob::jobCompletionConditionString(CompletionCondition condition) const
106{
107 switch(condition)
108 {
109 case FINISH_SEQUENCE:
110 return "FINISH";
111 case FINISH_REPEAT:
112 return "REPEAT";
113 case FINISH_LOOP:
114 return "LOOP";
115 case FINISH_AT:
116 return QString("AT %1").arg(getFinishAtTime().toString("MM/dd hh:mm"));
117 }
118 return QString("????");
119}
120
121SchedulerJob::SchedulerJob()
122{
123 if (KStarsData::Instance() != nullptr)
124 moon = dynamic_cast<KSMoon *>(KStarsData::Instance()->skyComposite()->findByName(i18n("Moon")));
125}
126
127// Private constructor for unit testing.
128SchedulerJob::SchedulerJob(KSMoon *moonPtr)
129{
130 moon = moonPtr;
131}
132
133void SchedulerJob::setName(const QString &value)
134{
135 name = value;
136}
137
138void SchedulerJob::setGroup(const QString &value)
139{
140 group = value;
141}
142
143
144
145void SchedulerJob::setCompletedIterations(int value)
146{
147 completedIterations = value;
148 if (completionCondition == FINISH_REPEAT)
149 setRepeatsRemaining(getRepeatsRequired() - completedIterations);
150}
151
152KStarsDateTime SchedulerJob::getLocalTime()
153{
154 return Ekos::SchedulerModuleState::getLocalTime();
155}
156
157ArtificialHorizon const *SchedulerJob::getHorizon()
158{
159 if (hasHorizon())
160 return storedHorizon;
161 if (KStarsData::Instance() == nullptr || KStarsData::Instance()->skyComposite() == nullptr
162 || KStarsData::Instance()->skyComposite()->artificialHorizon() == nullptr)
163 return nullptr;
164 return &KStarsData::Instance()->skyComposite()->artificialHorizon()->getHorizon();
165}
166
167void SchedulerJob::setStartupCondition(const StartupCondition &value)
168{
169 startupCondition = value;
170
171 /* Keep startup time and condition valid */
172 if (value == START_ASAP)
173 startupTime = QDateTime();
174
175 /* Refresh estimated time - which update job cells */
176 setEstimatedTime(estimatedTime);
177
178 /* Refresh dawn and dusk for startup date */
179 SchedulerModuleState::calculateDawnDusk(startupTime, nextDawn, nextDusk);
180}
181
182void SchedulerJob::setStartupTime(const QDateTime &value, bool refreshDawnDusk)
183{
184 startupTime = value;
185
186 /* Keep startup time and condition valid */
187 if (value.isValid())
188 startupCondition = START_AT;
189 else
190 startupCondition = fileStartupCondition;
191
192 // Refresh altitude - invalid date/time is taken care of when rendering
193 altitudeAtStartup = SchedulerUtils::findAltitude(getTargetCoords(), startupTime, &settingAtStartup);
194
195 /* Refresh estimated time - which update job cells */
196 setEstimatedTime(estimatedTime);
197
198 /* propagate it to all follower jobs, but avoid unnecessary dawn/dusk refresh */
199 for (auto follower : followerJobs())
200 follower->setStartupTime(value, false);
201
202 /* Refresh dawn and dusk for startup date */
203 if (refreshDawnDusk)
204 SchedulerModuleState::calculateDawnDusk(startupTime, nextDawn, nextDusk);
205}
206
207void SchedulerJob::setSequenceFile(const QUrl &value)
208{
209 sequenceFile = value;
210}
211
212void SchedulerJob::setFITSFile(const QUrl &value)
213{
214 fitsFile = value;
215}
216
217void SchedulerJob::setMinAltitude(const double &value)
218{
219 minAltitude = value;
220}
221
222bool SchedulerJob::hasAltitudeConstraint() const
223{
224 return hasMinAltitude() ||
225 (getEnforceArtificialHorizon() && (getHorizon() != nullptr) && getHorizon()->altitudeConstraintsExist()) ||
226 (Options::enableAltitudeLimits() &&
227 (Options::minimumAltLimit() > 0 ||
228 Options::maximumAltLimit() < 90));
229}
230
231void SchedulerJob::setMinMoonSeparation(const double &value)
232{
233 minMoonSeparation = value;
234}
235
236void SchedulerJob::setMaxMoonAltitude(const double &value)
237{
238 maxMoonAltitude = value;
239}
240
241void SchedulerJob::setStopTime(const QDateTime &value)
242{
243 stopTime = value;
244
245 // update altitude and setting at stop time
246 if (value.isValid())
247 {
248 altitudeAtStop = SchedulerUtils::findAltitude(getTargetCoords(), stopTime, &settingAtStop);
249
250 /* propagate it to all follower jobs, but avoid unnecessary dawn/dusk refresh */
251 for (auto follower : followerJobs())
252 {
253 // if the lead job completes earlier as the follower would do, set its completion time to the lead job's
254 if (follower->getStartupTime().isValid() && value.isValid()
255 && (follower->getEstimatedTime() < 0 || follower->getEstimatedTime() > getEstimatedTime()))
256 follower->setEstimatedTime(getEstimatedTime());
257 }
258 }
259}
260
261void SchedulerJob::setFinishAtTime(const QDateTime &value)
262{
263 setStopTime(QDateTime());
264
265 /* If completion time is valid, automatically switch condition to FINISH_AT */
266 if (value.isValid())
267 {
268 setCompletionCondition(FINISH_AT);
269 finishAtTime = value;
270 setEstimatedTime(-1);
271 }
272 /* If completion time is invalid, and job is looping, keep completion time undefined */
273 else if (FINISH_LOOP == completionCondition)
274 {
275 finishAtTime = QDateTime();
276 setEstimatedTime(-1);
277 }
278 /* If completion time is invalid, deduce completion from startup and duration */
279 else if (startupTime.isValid())
280 {
281 finishAtTime = startupTime.addSecs(estimatedTime);
282 }
283 /* Else just refresh estimated time - which update job cells */
284 else setEstimatedTime(estimatedTime);
285
286
287 /* Invariants */
288 Q_ASSERT_X(finishAtTime.isValid() ?
289 (FINISH_AT == completionCondition || FINISH_REPEAT == completionCondition || FINISH_SEQUENCE == completionCondition) :
290 FINISH_LOOP == completionCondition,
291 __FUNCTION__, "Valid completion time implies job is FINISH_AT/REPEAT/SEQUENCE, else job is FINISH_LOOP.");
292}
293
294void SchedulerJob::setCompletionCondition(const CompletionCondition &value)
295{
296 completionCondition = value;
297
298 // Update repeats requirement, looping jobs have none
299 switch (completionCondition)
300 {
301 case FINISH_LOOP:
302 setFinishAtTime(QDateTime());
303 /* Fall through */
304 case FINISH_AT:
305 if (0 < getRepeatsRequired())
306 setRepeatsRequired(0);
307 break;
308
309 case FINISH_SEQUENCE:
310 if (1 != getRepeatsRequired())
311 setRepeatsRequired(1);
312 break;
313
314 case FINISH_REPEAT:
315 if (0 == getRepeatsRequired())
316 setRepeatsRequired(1);
317 break;
318
319 default:
320 break;
321 }
322}
323
324void SchedulerJob::setStepPipeline(const StepPipeline &value)
325{
326 stepPipeline = value;
327}
328
329void SchedulerJob::setState(const SchedulerJobStatus &value, bool force)
330{
331 state = value;
332 stateTime = getLocalTime();
333
334 switch (state)
335 {
336 case SCHEDJOB_ERROR:
337 /* FIXME: move this to Scheduler, SchedulerJob is mostly a model */
338 lastErrorTime = getLocalTime();
339 KSNotification::event(QLatin1String("EkosSchedulerJobFail"), i18n("Ekos job failed (%1)", getName()),
340 KSNotification::Scheduler,
341 KSNotification::Alert);
342 break;
343 case SCHEDJOB_INVALID:
344 case SCHEDJOB_IDLE:
345 /* If job becomes invalid or idle, automatically reset its startup characteristics, and force its duration to be reestimated */
346 setStartupCondition(fileStartupCondition);
347 setStartupTime(startAtTime);
348 setEstimatedTime(-1);
349 break;
350 case SCHEDJOB_ABORTED:
351 /* If job is aborted, automatically reset its startup characteristics */
352 lastAbortTime = getLocalTime();
353 setStartupCondition(fileStartupCondition);
354 /* setStartupTime(fileStartupTime); */
355 break;
356 default:
357 /* do nothing */
358 break;
359 }
360 // propagate it to the follower jobs
361 if (isLead())
362 setFollowerState(value, force);
363}
364
365void SchedulerJob::setFollowerState(const SchedulerJobStatus &value, bool force)
366{
367 for (auto follower : followerJobs())
368 {
369 // do not propagate the state if the job is running
370 if (follower->getState() == SCHEDJOB_BUSY && force == false)
371 continue;
372
373 switch (value)
374 {
376 case SCHEDJOB_IDLE:
377 // always forward evaluation and startup, since only the lead job is part of the scheduling
378 follower->setState(value);
379 break;
381 // if the lead job is scheduled, the follower job will be scheduled unless it is complete
382 follower->setState(follower->getCompletionCondition() == FINISH_LOOP
383 || follower->getEstimatedTime() > 0 ? value : SCHEDJOB_COMPLETE);
384 break;
385 default:
386 // do NOT forward the state, each follower job needs to be started individually
387 if (force)
388 follower->setState(value);
389 break;
390 }
391 }
392}
393
394void SchedulerJob::updateSharedFollowerAttributes()
395{
396 if (isLead())
397 for (auto follower : followerJobs())
398 {
399 follower->setStartupTime(getStartupTime(), false);
400 follower->setStartAtTime(getStartAtTime());
401 follower->setFollowerState(getState(), true);
402 }
403}
404
405
406void SchedulerJob::setSequenceCount(const int count)
407{
408 sequenceCount = count;
409}
410
411void SchedulerJob::setCompletedCount(const int count)
412{
413 completedCount = count;
414}
415
416
417void SchedulerJob::setStage(const SchedulerJobStage &value)
418{
419 stage = value;
420}
421
422void SchedulerJob::setFileStartupCondition(const StartupCondition &value)
423{
424 fileStartupCondition = value;
425}
426
427void SchedulerJob::setStartAtTime(const QDateTime &value)
428{
429 startAtTime = value;
430}
431
432void SchedulerJob::setEstimatedTime(const int64_t &value)
433{
434 /* Estimated time is generally the difference between startup and completion times:
435 * - It is fixed when startup and completion times are fixed, that is, we disregard the argument
436 * - Else mostly it pushes completion time from startup time
437 *
438 * However it cannot advance startup time when completion time is fixed because of the way jobs are scheduled.
439 * This situation requires a warning in the user interface when there is not enough time for the job to process.
440 */
441
442 /* If startup and completion times are fixed, estimated time cannot change - disregard the argument */
443 if (START_ASAP != fileStartupCondition && FINISH_AT == completionCondition)
444 {
445 estimatedTime = startupTime.secsTo(finishAtTime);
446 }
447 /* If completion time isn't fixed, estimated time adjusts completion time */
448 else if (FINISH_AT != completionCondition && FINISH_LOOP != completionCondition)
449 {
450 estimatedTime = value;
451 }
452 /* Else estimated time is simply stored as is - covers FINISH_LOOP from setCompletionTime */
453 else estimatedTime = value;
454}
455
456void SchedulerJob::setInSequenceFocus(bool value)
457{
458 inSequenceFocus = value;
459}
460
461void SchedulerJob::setEnforceTwilight(bool value)
462{
463 enforceTwilight = value;
464 SchedulerModuleState::calculateDawnDusk(startupTime, nextDawn, nextDusk);
465}
466
467void SchedulerJob::setEnforceArtificialHorizon(bool value)
468{
469 enforceArtificialHorizon = value;
470}
471
472void SchedulerJob::setLightFramesRequired(bool value)
473{
474 lightFramesRequired = value;
475}
476
477void SchedulerJob::setCalibrationMountPark(bool value)
478{
479 m_CalibrationMountPark = value;
480}
481
482void SchedulerJob::setRepeatsRequired(const uint16_t &value)
483{
484 repeatsRequired = value;
485
486 // Update completion condition to be compatible
487 if (1 < repeatsRequired)
488 {
489 if (FINISH_REPEAT != completionCondition)
490 setCompletionCondition(FINISH_REPEAT);
491 }
492 else if (0 < repeatsRequired)
493 {
494 if (FINISH_SEQUENCE != completionCondition)
495 setCompletionCondition(FINISH_SEQUENCE);
496 }
497 else
498 {
499 if (FINISH_LOOP != completionCondition)
500 setCompletionCondition(FINISH_LOOP);
501 }
502}
503
504void SchedulerJob::setRepeatsRemaining(const uint16_t &value)
505{
506 repeatsRemaining = value;
507}
508
509void SchedulerJob::setCapturedFramesMap(const CapturedFramesMap &value)
510{
511 capturedFramesMap = value;
512}
513
514void SchedulerJob::setTargetCoords(const dms &ra, const dms &dec, double djd)
515{
516 targetCoords.setRA0(ra);
517 targetCoords.setDec0(dec);
518
519 targetCoords.apparentCoord(static_cast<long double>(J2000), djd);
520}
521
522void SchedulerJob::setPositionAngle(double value)
523{
524 m_PositionAngle = value;
525}
526
527void SchedulerJob::reset()
528{
529 state = SCHEDJOB_IDLE;
530 stage = SCHEDSTAGE_IDLE;
531 stateTime = getLocalTime();
532 lastAbortTime = QDateTime();
533 lastErrorTime = QDateTime();
534 estimatedTime = -1;
535 startupCondition = fileStartupCondition;
536 startupTime = fileStartupCondition == START_AT ? startAtTime : QDateTime();
537
538 /* Refresh dawn and dusk for startup date */
539 SchedulerModuleState::calculateDawnDusk(startupTime, nextDawn, nextDusk);
540
541 stopTime = QDateTime();
542 stopReason.clear();
543
544 /* No change to culmination offset */
545 repeatsRemaining = repeatsRequired;
546 completedIterations = 0;
547 clearProgress();
548
549 clearCache();
550}
551
552bool SchedulerJob::decreasingAltitudeOrder(SchedulerJob const *job1, SchedulerJob const *job2, QDateTime const &when)
553{
554 bool A_is_setting = job1->settingAtStartup;
555 double const altA = when.isValid() ?
556 SchedulerUtils::findAltitude(job1->getTargetCoords(), when, &A_is_setting) :
557 job1->altitudeAtStartup;
558
559 bool B_is_setting = job2->settingAtStartup;
560 double const altB = when.isValid() ?
561 SchedulerUtils::findAltitude(job2->getTargetCoords(), when, &B_is_setting) :
562 job2->altitudeAtStartup;
563
564 // Sort with the setting target first
565 if (A_is_setting && !B_is_setting)
566 return true;
567 else if (!A_is_setting && B_is_setting)
568 return false;
569
570 // If both targets rise or set, sort by decreasing altitude, considering a setting target is prioritary
571 return (A_is_setting && B_is_setting) ? altA < altB : altB < altA;
572}
573
574bool SchedulerJob::satisfiesAltitudeConstraint(double azimuth, double altitude, QString *altitudeReason,
575 double *margin) const
576{
577 if (m_LeadJob != nullptr)
578 return m_LeadJob->satisfiesAltitudeConstraint(azimuth, altitude, altitudeReason, margin);
579 if (margin) *margin = 90;
580 if (Options::enableAltitudeLimits())
581 {
582 // Check the mount's altitude constraints.
583 if (margin)
584 *margin = std::min(fabs(altitude - Options::minimumAltLimit()),
585 fabs(altitude - Options::maximumAltLimit()));
586 if (altitude < Options::minimumAltLimit() || altitude > Options::maximumAltLimit())
587 {
588 if (altitudeReason != nullptr)
589 {
590 if (altitude < Options::minimumAltLimit())
591 *altitudeReason = QString("altitude %1 < mount altitude limit %2")
592 .arg(altitude, 0, 'f', 1).arg(Options::minimumAltLimit(), 0, 'f', 1);
593 else
594 *altitudeReason = QString("altitude %1 > mount altitude limit %2")
595 .arg(altitude, 0, 'f', 1).arg(Options::maximumAltLimit(), 0, 'f', 1);
596 }
597 return false;
598 }
599 }
600
601 const double minAltitude = getMinAltitude();
602 if (margin)
603 *margin = std::min(*margin, fabs(minAltitude - altitude));
604
605 // Check the global min-altitude constraint.
606 if (altitude < minAltitude)
607 {
608 if (altitudeReason != nullptr)
609 *altitudeReason = QString("altitude %1 < minAltitude %2").arg(altitude, 0, 'f', 1).arg(getMinAltitude(), 0, 'f', 1);
610 return false;
611 }
612 // Check the artificial horizon.
613 if (getHorizon() != nullptr && enforceArtificialHorizon)
614 {
615 double horizonMargin;
616 bool ok = getHorizon()->isAltitudeOK(azimuth, altitude, altitudeReason, &horizonMargin);
617 if (margin && horizonMargin >= 0 && horizonMargin < *margin)
618 *margin = horizonMargin;
619 return ok;
620 }
621
622 return true;
623}
624
625bool SchedulerJob::moonConstraintsOK(QDateTime const &when, QString *reason, double *margin) const
626{
627 if (margin)
628 *margin = 90;
629
630 if ((moon == nullptr) || ((getMinMoonSeparation() <= 0) && (getMaxMoonAltitude() >= 90)))
631 return true;
632
633 // Retrieve the argument date/time, or fall back to current time - don't use QDateTime's timezone!
634 KStarsDateTime ltWhen(when.isValid() ?
635 Qt::UTC == when.timeSpec() ? SchedulerModuleState::getGeo()->UTtoLT(KStarsDateTime(when)) : when :
636 getLocalTime());
637
638 // Create a sky object with the target catalog coordinates
639 SkyPoint const target = getTargetCoords();
640 SkyObject o;
641 o.setRA0(target.ra0());
642 o.setDec0(target.dec0());
643
644 // Update RA/DEC of the target for the current fraction of the day
645 KSNumbers numbers(ltWhen.djd());
646 o.updateCoordsNow(&numbers);
647
648 CachingDms LST = SchedulerModuleState::getGeo()->GSTtoLST(SchedulerModuleState::getGeo()->LTtoUT(ltWhen).gst());
649 moon->updateCoords(&numbers, true, SchedulerModuleState::getGeo()->lat(), &LST, true);
650 moon->EquatorialToHorizontal(&LST, SchedulerModuleState::getGeo()->lat());
651
652 bool separationOK = true;
653 if (getMinMoonSeparation() > 0)
654 {
655 const double val = moon->angularDistanceTo(&o).Degrees() - getMinMoonSeparation();
656 separationOK = val >= 0;
657 if (margin)
658 *margin = fabs(val);
659 }
660
661 bool altitudeOK = true;
662 if (getMaxMoonAltitude() < 90)
663 {
664 const double val = moon->alt().Degrees() - getMaxMoonAltitude();
665 altitudeOK = val <= 0;
666 if (margin)
667 *margin = std::min(*margin, fabs(val));
668 }
669
670 bool result = separationOK && altitudeOK;
671
672 // set the result string if at least one of the constraints is not met
673 if (reason != nullptr && !result)
674 {
675 if (!separationOK && !altitudeOK)
676 *reason = QString("moon separation and altitude");
677 else if (!separationOK)
678 *reason = QString("moon separation");
679 else if (!altitudeOK)
680 *reason = QString("moon altitude");
681 }
682 return result;
683}
684
685QDateTime SchedulerJob::calculateNextTime(QDateTime const &when, bool checkIfConstraintsAreMet, int increment,
686 QString *reason, bool runningJob, const QDateTime &until) const
687{
688 // FIXME: block calculating target coordinates at a particular time is duplicated in several places
689 // Retrieve the argument date/time, or fall back to current time - don't use QDateTime's timezone!
690 KStarsDateTime ltWhen(when.isValid() ?
691 Qt::UTC == when.timeSpec() ? SchedulerModuleState::getGeo()->UTtoLT(KStarsDateTime(when)) : when :
692 getLocalTime());
693
694 // Create a sky object with the target catalog coordinates
695 SkyPoint const target = getTargetCoords();
696 SkyObject o;
697 o.setRA0(target.ra0());
698 o.setDec0(target.dec0());
699
700 // Calculate the UT at the argument time
701 KStarsDateTime const ut = SchedulerModuleState::getGeo()->LTtoUT(ltWhen);
702
703 unsigned int maxMinute = 1e8;
704 if (!runningJob && until.isValid())
705 maxMinute = when.secsTo(until) / 60;
706
707 if (maxMinute > 24 * 60)
708 maxMinute = 24 * 60;
709
710 unsigned int nextAltCheck = 0;
711 bool inSkip = false;
712 int skipStart = 0;
713 constexpr int MAX_SKIP = 30;
714
715 // Within the next 24 hours, search when the job target matches the altitude and moon constraints
716 for (unsigned int minute = 0; minute < maxMinute; minute += increment)
717 {
718 KStarsDateTime const ltOffset(ltWhen.addSecs(minute * 60));
719
720 // Is this violating twilight?
721 QDateTime nextSuccess;
722 if (getEnforceTwilight() && !runsDuringAstronomicalNightTime(ltOffset, &nextSuccess))
723 {
724 if (checkIfConstraintsAreMet)
725 {
726 // Change the minute to increment-minutes before next success.
727 if (nextSuccess.isValid())
728 {
729 const int minutesToSuccess = ltOffset.secsTo(nextSuccess) / 60 - increment;
730 if (minutesToSuccess > 0)
731 minute += minutesToSuccess;
732 }
733 nextAltCheck = 0;
734 inSkip = false;
735 continue;
736 }
737 else
738 {
739 if (reason) *reason = "twilight";
740 return ltOffset;
741 }
742 }
743
744 if (minute >= nextAltCheck)
745 {
746 double margin;
747 const bool altAndMoonOK = checkAltitudeAndMoon(o, ltOffset, reason, &margin);
748 bool done = ((checkIfConstraintsAreMet && altAndMoonOK) || (!checkIfConstraintsAreMet && !altAndMoonOK));
749
750 if (done && inSkip)
751 {
752 // If we skipped ahead, and when we come to the end of the skip and the code looks to exit,
753 // perhaps the skip was too aggressive (unlikely, but can happen in odd situations).
754 // We re-do the skipped iterations here.
755
756 // Just in case
757 if (minute - skipStart <= MAX_SKIP)
758 {
759 for (unsigned int min = skipStart; min < minute; min += increment)
760 {
761 KStarsDateTime const lt(ltWhen.addSecs(min * 60));
762 // don't need to test twilight--that was not skipped.
763 const bool checkOK = checkAltitudeAndMoon(o, lt, reason, nullptr);
764 if ((checkIfConstraintsAreMet && checkOK) || (!checkIfConstraintsAreMet && !checkOK))
765 {
766 // Found an earlier return.
767 return lt;
768 }
769 }
770 }
771 }
772
773 if (done)
774 return ltOffset;
775
776 // If we've exceeded the margin by a lot, no need to check again for several minutes.
777 if (margin > 15)
778 {
779 inSkip = true;
780 skipStart = minute + increment;
781 nextAltCheck = minute + MAX_SKIP;
782 }
783 else if (margin > 5)
784 {
785 inSkip = true;
786 skipStart = minute + increment;
787 nextAltCheck = minute + 16;
788 }
789 else
790 {
791 inSkip = false;
792 skipStart = minute + increment;
793 }
794 }
795 }
796 return QDateTime();
797}
798
799bool SchedulerJob::checkAltitudeAndMoon(SkyObject o, const KStarsDateTime &ltOffset, QString *reason, double *margin) const
800{
801 // Update RA/DEC of the target for the current fraction of the day
802 KSNumbers numbers(ltOffset.djd());
803 o.updateCoordsNow(&numbers);
804
805 // Compute local sidereal time for the current fraction of the day, calculate altitude
806 CachingDms const LST = SchedulerModuleState::getGeo()->GSTtoLST(SchedulerModuleState::getGeo()->LTtoUT(ltOffset).gst());
807 o.EquatorialToHorizontal(&LST, SchedulerModuleState::getGeo()->lat());
808 double const altitude = o.alt().Degrees();
809 double const azimuth = o.az().Degrees();
810
811 bool const altitudeOK = satisfiesAltitudeConstraint(azimuth, altitude, reason, margin);
812 if (altitudeOK)
813 {
814 // Check moon constraints (moon altitude and distance between target and moon)
815 double moonMargin;
816 bool moonConstraint = moonConstraintsOK(ltOffset, reason, &moonMargin);
817 if (margin)
818 *margin = std::min(*margin, moonMargin);
819 return moonConstraint;
820 }
821 return false;
822}
823
824bool SchedulerJob::runsDuringAstronomicalNightTime(const QDateTime &time,
825 QDateTime *nextPossibleSuccess) const
826{
827 if (m_LeadJob != nullptr)
828 return m_LeadJob->runsDuringAstronomicalNightTime(time, nextPossibleSuccess);
829
830 // We call this very frequently in the Greedy Algorithm, and the calls
831 // below are expensive. Almost all the calls are redundent (e.g. if it's not nighttime
832 // now, it's not nighttime in 10 minutes). So, cache the answer and return it if the next
833 // call is for a time between this time and the next dawn/dusk (whichever is sooner).
834
835 static QDateTime previousMinDawnDusk, previousTime;
836 static GeoLocation const *previousGeo = nullptr; // A dangling pointer, I suppose, but we never reference it.
837 static bool previousAnswer;
838 static double previousPreDawnTime = 0;
839 static QDateTime nextSuccess;
840
841 // Lock this method because of all the statics
842 static std::mutex nightTimeMutex;
843 const std::lock_guard<std::mutex> lock(nightTimeMutex);
844
845 // We likely can rely on the previous calculations.
846 if (previousTime.isValid() && previousMinDawnDusk.isValid() &&
847 time >= previousTime && time < previousMinDawnDusk &&
848 SchedulerModuleState::getGeo() == previousGeo &&
849 Options::preDawnTime() == previousPreDawnTime)
850 {
851 if (!previousAnswer && nextPossibleSuccess != nullptr)
852 *nextPossibleSuccess = nextSuccess;
853 return previousAnswer;
854 }
855 else
856 {
857 previousAnswer = runsDuringAstronomicalNightTimeInternal(time, &previousMinDawnDusk, &nextSuccess);
858 previousTime = time;
859 previousGeo = SchedulerModuleState::getGeo();
860 previousPreDawnTime = Options::preDawnTime();
861 if (!previousAnswer && nextPossibleSuccess != nullptr)
862 *nextPossibleSuccess = nextSuccess;
863 return previousAnswer;
864 }
865}
866
867
868bool SchedulerJob::runsDuringAstronomicalNightTimeInternal(const QDateTime &time, QDateTime *minDawnDusk,
869 QDateTime *nextPossibleSuccess) const
870{
871 if (m_LeadJob != nullptr)
872 return m_LeadJob->runsDuringAstronomicalNightTimeInternal(time, minDawnDusk, nextPossibleSuccess);
873
874 QDateTime t;
875 QDateTime nDawn = nextDawn, nDusk = nextDusk;
876 if (time.isValid())
877 {
878 // Can't rely on the pre-computed dawn/dusk if we're giving it an arbitary time.
879 SchedulerModuleState::calculateDawnDusk(time, nDawn, nDusk);
880 t = time;
881 }
882 else
883 {
884 t = startupTime;
885 }
886
887 // Calculate the next astronomical dawn time, adjusted with the Ekos pre-dawn offset
888 QDateTime const earlyDawn = nDawn.addSecs(-60.0 * abs(Options::preDawnTime()));
889
890 *minDawnDusk = earlyDawn < nDusk ? earlyDawn : nDusk;
891
892 // Dawn and dusk are ordered as the immediate next events following the observation time
893 // Thus if dawn comes first, the job startup time occurs during the dusk/dawn interval.
894 bool result = nDawn < nDusk && t <= earlyDawn;
895
896 // Return a hint about when it might succeed.
897 if (nextPossibleSuccess != nullptr)
898 {
899 if (result) *nextPossibleSuccess = QDateTime();
900 else *nextPossibleSuccess = nDusk;
901 }
902
903 return result;
904}
905
906void SchedulerJob::setInitialFilter(const QString &value)
907{
908 m_InitialFilter = value;
909}
910
911const QString &SchedulerJob::getInitialFilter() const
912{
913 return m_InitialFilter;
914}
915
916bool SchedulerJob::StartTimeCache::check(const QDateTime &from, const QDateTime &until,
917 QDateTime *result, QDateTime *newFrom) const
918{
919 // Look at the cached results from getNextPossibleStartTime.
920 // If the desired 'from' time is in one of them, that is, between computation.from and computation.until,
921 // then we can re-use that result (as long as the desired until time is < computation.until).
922 foreach (const StartTimeComputation &computation, startComputations)
923 {
924 if (from >= computation.from &&
925 (!computation.until.isValid() || from < computation.until) &&
926 (!computation.result.isValid() || from < computation.result))
927 {
928 if (computation.result.isValid() || until <= computation.until)
929 {
930 // We have a cached result.
931 *result = computation.result;
932 *newFrom = QDateTime();
933 return true;
934 }
935 else
936 {
937 // No cached result, but at least we can constrain the search.
938 *result = QDateTime();
939 *newFrom = computation.until;
940 return true;
941 }
942 }
943 }
944 return false;
945}
946
947void SchedulerJob::StartTimeCache::clear() const
948{
949 startComputations.clear();
950}
951
952void SchedulerJob::StartTimeCache::add(const QDateTime &from, const QDateTime &until, const QDateTime &result) const
953{
954 // Manage the cache size.
955 if (startComputations.size() > 10)
956 startComputations.clear();
957
958 // The getNextPossibleStartTime computation (which calls calculateNextTime) searches ahead at most 24 hours.
959 QDateTime endTime;
960 if (!until.isValid())
961 endTime = from.addSecs(24 * 3600);
962 else
963 {
964 QDateTime oneDay = from.addSecs(24 * 3600);
965 if (until > oneDay)
966 endTime = oneDay;
967 else
968 endTime = until;
969 }
970
971 StartTimeComputation c;
972 c.from = from;
973 c.until = endTime;
974 c.result = result;
975 startComputations.push_back(c);
976}
977
978// When can this job start? For now ignores culmination constraint.
979QDateTime SchedulerJob::getNextPossibleStartTime(const QDateTime &when, int increment, bool runningJob,
980 const QDateTime &until) const
981{
982 QDateTime ltWhen(
983 when.isValid() ? (Qt::UTC == when.timeSpec() ? SchedulerModuleState::getGeo()->UTtoLT(KStarsDateTime(when)) : when)
984 : getLocalTime());
985
986 // We do not consider job state here. It is the responsibility of the caller
987 // to filter for that, if desired.
988
989 if (!runningJob && START_AT == getFileStartupCondition())
990 {
991 int secondsFromNow = ltWhen.secsTo(getStartAtTime());
992 if (secondsFromNow < -500)
993 // We missed it.
994 return QDateTime();
995 ltWhen = secondsFromNow > 0 ? getStartAtTime() : ltWhen;
996 }
997
998 // Can't start if we're past the finish time.
999 if (getCompletionCondition() == FINISH_AT)
1000 {
1001 const QDateTime &t = getFinishAtTime();
1002 if (t.isValid() && t < ltWhen)
1003 return QDateTime(); // return an invalid time.
1004 }
1005
1006 if (runningJob)
1007 return calculateNextTime(ltWhen, true, increment, nullptr, runningJob, until);
1008 else
1009 {
1010 QDateTime result, newFrom;
1011 if (startTimeCache.check(ltWhen, until, &result, &newFrom))
1012 {
1013 if (result.isValid() || !newFrom.isValid())
1014 return result;
1015 if (newFrom.isValid())
1016 ltWhen = newFrom;
1017 }
1018 result = calculateNextTime(ltWhen, true, increment, nullptr, runningJob, until);
1019 result.setTimeZone(ltWhen.timeZone());
1020 startTimeCache.add(ltWhen, until, result);
1021 return result;
1022 }
1023}
1024
1025// When will this job end (not looking at capture plan)?
1026QDateTime SchedulerJob::getNextEndTime(const QDateTime &start, int increment, QString *reason, const QDateTime &until) const
1027{
1028 QDateTime ltStart(
1029 start.isValid() ? (Qt::UTC == start.timeSpec() ? SchedulerModuleState::getGeo()->UTtoLT(KStarsDateTime(start)) : start)
1030 : getLocalTime());
1031
1032 // We do not consider job state here. It is the responsibility of the caller
1033 // to filter for that, if desired.
1034
1035 if (START_AT == getFileStartupCondition())
1036 {
1037 if (getStartAtTime().secsTo(ltStart) < -120)
1038 {
1039 // if the file startup time is in the future, then end now.
1040 // This case probably wouldn't happen in the running code.
1041 if (reason) *reason = "before start-at time";
1042 return QDateTime();
1043 }
1044 // otherwise, test from now.
1045 }
1046
1047 // Can't start if we're past the finish time.
1048 if (getCompletionCondition() == FINISH_AT)
1049 {
1050 const QDateTime &t = getFinishAtTime();
1051 if (t.isValid() && t < ltStart)
1052 {
1053 if (reason) *reason = "end-at time";
1054 return QDateTime(); // return an invalid time.
1055 }
1056 auto result = calculateNextTime(ltStart, false, increment, reason, false, until);
1057 if (!result.isValid() || result.secsTo(getFinishAtTime()) < 0)
1058 {
1059 if (reason) *reason = "end-at time";
1060 return getFinishAtTime();
1061 }
1062 else return result;
1063 }
1064
1065 return calculateNextTime(ltStart, false, increment, reason, false, until);
1066}
1067
1068namespace
1069{
1070
1071QString progressLineLabel(CCDFrameType frameType, const QMap<SequenceJob::PropertyID, QVariant> &properties,
1072 bool isDarkFlat)
1073{
1074 QString jobTargetName = properties[SequenceJob::SJ_TargetName].toString();
1075 auto exposure = properties[SequenceJob::SJ_Exposure].toDouble();
1076 QString label;
1077
1078 int precisionRequired = 0;
1079 double fraction = exposure - fabs(exposure);
1080 if (fraction > .0001)
1081 {
1082 precisionRequired = 1;
1083 fraction = fraction * 10;
1084 fraction = fraction - fabs(fraction);
1085 if (fraction > .0001)
1086 {
1087 precisionRequired = 2;
1088 fraction = fraction * 10;
1089 fraction = fraction - fabs(fraction);
1090 if (fraction > .0001)
1091 precisionRequired = 3;
1092 }
1093 }
1094 if (precisionRequired == 0)
1095 label += QString("%1s").arg(static_cast<int>(exposure));
1096 else
1097 label += QString("%1s").arg(exposure, 0, 'f', precisionRequired);
1098
1099 if (properties.contains(SequenceJob::SJ_Filter))
1100 {
1101 auto filterType = properties[SequenceJob::SJ_Filter].toString();
1102 if (label.size() > 0) label += " ";
1103 label += filterType;
1104 }
1105
1106 if (isDarkFlat)
1107 {
1108 if (label.size() > 0) label += " ";
1109 label += i18n("DarkFlat");
1110 }
1111 else if (frameType != FRAME_LIGHT)
1112 {
1113 if (label.size() > 0) label += " ";
1114 label += (char)frameType;
1115 }
1116
1117 return label;
1118}
1119
1120QString progressLine(const SchedulerJob::JobProgress &progress)
1121{
1122 QString label = progressLineLabel(progress.type, progress.properties, progress.isDarkFlat).append(":");
1123
1124 const double seconds = progress.numCompleted * progress.properties[SequenceJob::SJ_Exposure].toDouble();
1125 QString timeStr;
1126 if (seconds == 0)
1127 timeStr = "";
1128 else if (seconds < 60)
1129 timeStr = QString("%1 %2").arg(static_cast<int>(seconds)).arg(i18n("seconds"));
1130 else if (seconds < 60 * 60)
1131 timeStr = QString("%1 %2").arg(seconds / 60.0, 0, 'f', 1).arg(i18n("minutes"));
1132 else
1133 timeStr = QString("%1 %3").arg(seconds / 3600.0, 0, 'f', 1).arg(i18n("hours"));
1134
1135 // Hacky formatting. I tried html and html tables, but the tooltips got narrow boxes.
1136 // Would be nice to redo with proper formatting, or fixed-width font.
1137 return QString("%1\t%2 %3 %4")
1138 .arg(label, -12, ' ')
1139 .arg(progress.numCompleted, 4)
1140 .arg(i18n("images"))
1141 .arg(timeStr);
1142}
1143} // namespace
1144
1145const QString SchedulerJob::getProgressSummary() const
1146{
1147 QString summary;
1148 for (const auto &p : m_Progress)
1149 {
1150 summary.append(progressLine(p));
1151 summary.append("\n");
1152 }
1153 return summary;
1154}
1155
1156QJsonObject SchedulerJob::toJson() const
1157{
1158 bool is_setting = false;
1159 double const alt = SchedulerUtils::findAltitude(getTargetCoords(), QDateTime(), &is_setting);
1160
1161 return
1162 {
1163 {"name", name},
1164 {"pa", m_PositionAngle},
1165 {"targetRA", getTargetCoords().ra0().Hours()},
1166 {"targetDEC", getTargetCoords().dec0().Degrees()},
1167 {"state", state},
1168 {"stage", stage},
1169 {"sequenceCount", sequenceCount},
1170 {"completedCount", completedCount},
1171 {"minAltitude", minAltitude},
1172 {"minMoonSeparation", minMoonSeparation},
1173 {"maxMoonAltitude", maxMoonAltitude},
1174 {"repeatsRequired", repeatsRequired},
1175 {"repeatsRemaining", repeatsRemaining},
1176 {"inSequenceFocus", inSequenceFocus},
1177 {"startupTime", startupTime.isValid() ? startupTime.toString() : "--"},
1178 {"completionTime", finishAtTime.isValid() ? finishAtTime.toString() : "--"},
1179 {"altitude", alt},
1180 {"altitudeFormatted", m_AltitudeFormatted},
1181 {"startupFormatted", m_StartupFormatted},
1182 {"endFormatted", m_EndFormatted},
1183 {"sequence", sequenceFile.toString() },
1184 };
1185}
1186
1187} // Ekos namespace
SkyMapComposite * skyComposite()
Definition kstarsdata.h:174
long double djd() const
SkyObject * findByName(const QString &name, bool exact=true) override
Search the children of this SkyMapComposite for a SkyObject whose name matches the argument.
const CachingDms & ra0() const
Definition skypoint.h:251
virtual void updateCoordsNow(const KSNumbers *num)
updateCoordsNow Shortcut for updateCoords( const KSNumbers *num, false, nullptr, nullptr,...
Definition skypoint.h:410
void EquatorialToHorizontal(const CachingDms *LST, const CachingDms *lat)
Determine the (Altitude, Azimuth) coordinates of the SkyPoint from its (RA, Dec) coordinates,...
Definition skypoint.cpp:77
void setRA0(dms r)
Sets RA0, the catalog Right Ascension.
Definition skypoint.h:94
const dms & az() const
Definition skypoint.h:275
const dms & alt() const
Definition skypoint.h:281
const CachingDms & dec0() const
Definition skypoint.h:257
void setDec0(dms d)
Sets Dec0, the catalog Declination.
Definition skypoint.h:119
const double & Degrees() const
Definition dms.h:141
QString i18n(const char *text, const TYPE &arg...)
char * toString(const EngineQuery &query)
Ekos is an advanced Astrophotography tool for Linux.
Definition align.cpp:83
SchedulerJobStage
Running stages of a SchedulerJob.
StartupCondition
Conditions under which a SchedulerJob may start.
SchedulerJobStatus
States of a SchedulerJob.
@ 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.
QMap< QString, uint16_t > CapturedFramesMap
mapping signature --> frames count
CompletionCondition
Conditions under which a SchedulerJob may complete.
KGuiItem properties()
QString label(StandardShortcut id)
QDateTime addSecs(qint64 s) const const
bool isValid() const const
qint64 secsTo(const QDateTime &other) const const
void setTimeZone(const QTimeZone &toZone)
Qt::TimeSpec timeSpec() const const
QString & append(QChar ch)
QString arg(Args &&... args) const const
void clear()
qsizetype size() const const
double toDouble(bool *ok) 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.