Kstars

schedulerprocess.cpp
1/*
2 SPDX-FileCopyrightText: 2023 Wolfgang Reissenberger <sterne-jaeger@openfuture.de>
3
4 SPDX-License-Identifier: GPL-2.0-or-later
5*/
6#include "schedulerprocess.h"
7#include "schedulermodulestate.h"
8#include "scheduleradaptor.h"
9#include "greedyscheduler.h"
10#include "schedulerutils.h"
11#include "schedulerjob.h"
12#include "ekos/capture/sequencejob.h"
13#include "Options.h"
14#include "ksmessagebox.h"
15#include "ksnotification.h"
16#include "kstars.h"
17#include "kstarsdata.h"
18#include "indi/indistd.h"
19#include "skymapcomposite.h"
20#include "mosaiccomponent.h"
21#include "mosaictiles.h"
22#include "ekos/auxiliary/opticaltrainmanager.h"
23#include "ekos/auxiliary/stellarsolverprofile.h"
24#include <ekos_scheduler_debug.h>
25
26#include <QtDBus/QDBusReply>
27#include <QtDBus/QDBusInterface>
28
29#define RESTART_GUIDING_DELAY_MS 5000
30
31// This is a temporary debugging printout introduced while gaining experience developing
32// the unit tests in test_ekos_scheduler_ops.cpp.
33// All these printouts should be eventually removed.
34
35namespace Ekos
36{
37
38SchedulerProcess::SchedulerProcess(QSharedPointer<SchedulerModuleState> state, const QString &ekosPathStr,
39 const QString &ekosInterfaceStr) : QObject(KStars::Instance())
40{
41 setObjectName("SchedulerProcess");
42 m_moduleState = state;
43 m_GreedyScheduler = new GreedyScheduler();
44 connect(KConfigDialog::exists("settings"), &KConfigDialog::settingsChanged, this, &SchedulerProcess::applyConfig);
45
46 // Connect simulation clock scale
47 connect(KStarsData::Instance()->clock(), &SimClock::scaleChanged, this, &SchedulerProcess::simClockScaleChanged);
48 connect(KStarsData::Instance()->clock(), &SimClock::timeChanged, this, &SchedulerProcess::simClockTimeChanged);
49
50 // connection to state machine events
51 connect(moduleState().data(), &SchedulerModuleState::schedulerStateChanged, this, &SchedulerProcess::newStatus);
52 connect(moduleState().data(), &SchedulerModuleState::newLog, this, &SchedulerProcess::appendLogText);
53
54 // Set up DBus interfaces
55 new SchedulerAdaptor(this);
56 QDBusConnection::sessionBus().unregisterObject(schedulerProcessPathString);
57 if (!QDBusConnection::sessionBus().registerObject(schedulerProcessPathString, this))
58 qCDebug(KSTARS_EKOS_SCHEDULER) << QString("SchedulerProcess failed to register with dbus");
59
60 setEkosInterface(new QDBusInterface(kstarsInterfaceString, ekosPathStr, ekosInterfaceStr,
62 setIndiInterface(new QDBusInterface(kstarsInterfaceString, INDIPathString, INDIInterfaceString,
64 QDBusConnection::sessionBus().connect(kstarsInterfaceString, ekosPathStr, ekosInterfaceStr, "indiStatusChanged",
65 this, SLOT(setINDICommunicationStatus(Ekos::CommunicationStatus)));
66 QDBusConnection::sessionBus().connect(kstarsInterfaceString, ekosPathStr, ekosInterfaceStr, "ekosStatusChanged",
67 this, SLOT(setEkosCommunicationStatus(Ekos::CommunicationStatus)));
68 QDBusConnection::sessionBus().connect(kstarsInterfaceString, ekosPathStr, ekosInterfaceStr, "newModule", this,
69 SLOT(registerNewModule(QString)));
70 QDBusConnection::sessionBus().connect(kstarsInterfaceString, ekosPathStr, ekosInterfaceStr, "newDevice", this,
71 SLOT(registerNewDevice(QString, int)));
72}
73
74SchedulerState SchedulerProcess::status()
75{
76 return moduleState()->schedulerState();
77}
78
80{
81 switch (moduleState()->schedulerState())
82 {
83 case SCHEDULER_IDLE:
84 /* FIXME: Manage the non-validity of the startup script earlier, and make it a warning only when the scheduler starts */
85 if (!moduleState()->startupScriptURL().isEmpty() && ! moduleState()->startupScriptURL().isValid())
86 {
87 appendLogText(i18n("Warning: startup script URL %1 is not valid.",
88 moduleState()->startupScriptURL().toString(QUrl::PreferLocalFile)));
89 return;
90 }
91
92 /* FIXME: Manage the non-validity of the shutdown script earlier, and make it a warning only when the scheduler starts */
93 if (!moduleState()->shutdownScriptURL().isEmpty() && !moduleState()->shutdownScriptURL().isValid())
94 {
95 appendLogText(i18n("Warning: shutdown script URL %1 is not valid.",
96 moduleState()->shutdownScriptURL().toString(QUrl::PreferLocalFile)));
97 return;
98 }
99
100
101 qCInfo(KSTARS_EKOS_SCHEDULER) << "Scheduler is starting...";
102
103 moduleState()->setSchedulerState(SCHEDULER_RUNNING);
104 moduleState()->setupNextIteration(RUN_SCHEDULER);
105
106 appendLogText(i18n("Scheduler started."));
107 qCDebug(KSTARS_EKOS_SCHEDULER) << "Scheduler started.";
108 break;
109
110 case SCHEDULER_PAUSED:
111 moduleState()->setSchedulerState(SCHEDULER_RUNNING);
112 moduleState()->setupNextIteration(RUN_SCHEDULER);
113
114 appendLogText(i18n("Scheduler resuming."));
115 qCDebug(KSTARS_EKOS_SCHEDULER) << "Scheduler resuming.";
116 break;
117
118 default:
119 break;
120 }
121
122}
123
124// FindNextJob (probably misnamed) deals with what to do when jobs end.
125// For instance, if they complete their capture sequence, they may
126// (a) be done, (b) be part of a repeat N times, or (c) be part of a loop forever.
127// Similarly, if jobs are aborted they may (a) restart right away, (b) restart after a delay, (c) be ended.
129{
130 if (moduleState()->schedulerState() == SCHEDULER_PAUSED)
131 {
132 // everything finished, we can pause
133 setPaused();
134 return;
135 }
136
137 Q_ASSERT_X(activeJob()->getState() == SCHEDJOB_ERROR ||
138 activeJob()->getState() == SCHEDJOB_ABORTED ||
139 activeJob()->getState() == SCHEDJOB_COMPLETE ||
140 activeJob()->getState() == SCHEDJOB_IDLE,
141 __FUNCTION__, "Finding next job requires current to be in error, aborted, idle or complete");
142
143 // Reset failed count
144 moduleState()->resetAlignFailureCount();
145 moduleState()->resetGuideFailureCount();
146 moduleState()->resetFocusFailureCount();
147 moduleState()->resetCaptureFailureCount();
148
149 if (activeJob()->getState() == SCHEDJOB_ERROR || activeJob()->getState() == SCHEDJOB_ABORTED)
150 {
151 emit jobEnded(activeJob()->getName(), activeJob()->getStopReason());
152 moduleState()->resetCaptureBatch();
153 // Stop Guiding if it was used
154 stopGuiding();
155
156 if (activeJob()->getState() == SCHEDJOB_ERROR)
157 appendLogText(i18n("Job '%1' is terminated due to errors.", activeJob()->getName()));
158 else
159 appendLogText(i18n("Job '%1' is aborted.", activeJob()->getName()));
160
161 // Always reset job stage
162 moduleState()->updateJobStage(SCHEDSTAGE_IDLE);
163
164 // restart aborted jobs immediately, if error handling strategy is set to "restart immediately"
165 if (Options::errorHandlingStrategy() == ERROR_RESTART_IMMEDIATELY &&
166 (activeJob()->getState() == SCHEDJOB_ABORTED ||
167 (activeJob()->getState() == SCHEDJOB_ERROR && Options::rescheduleErrors())))
168 {
169 // reset the state so that it will be restarted
170 activeJob()->setState(SCHEDJOB_SCHEDULED);
171
172 appendLogText(i18n("Waiting %1 seconds to restart job '%2'.", Options::errorHandlingStrategyDelay(),
173 activeJob()->getName()));
174
175 // wait the given delay until the jobs will be evaluated again
176 moduleState()->setupNextIteration(RUN_WAKEUP, std::lround((Options::errorHandlingStrategyDelay() * 1000) /
177 KStarsData::Instance()->clock()->scale()));
178 emit changeSleepLabel(i18n("Scheduler waits for a retry."));
179 return;
180 }
181
182 // otherwise start re-evaluation
183 moduleState()->setActiveJob(nullptr);
184 moduleState()->setupNextIteration(RUN_SCHEDULER);
185 }
186 else if (activeJob()->getState() == SCHEDJOB_IDLE)
187 {
188 emit jobEnded(activeJob()->getName(), activeJob()->getStopReason());
189
190 // job constraints no longer valid, start re-evaluation
191 moduleState()->setActiveJob(nullptr);
192 moduleState()->setupNextIteration(RUN_SCHEDULER);
193 }
194 // Job is complete, so check completion criteria to optimize processing
195 // In any case, we're done whether the job completed successfully or not.
196 else if (activeJob()->getCompletionCondition() == FINISH_SEQUENCE)
197 {
198 emit jobEnded(activeJob()->getName(), activeJob()->getStopReason());
199
200 /* If we remember job progress, mark the job idle as well as all its duplicates for re-evaluation */
201 if (Options::rememberJobProgress())
202 {
203 foreach(SchedulerJob *a_job, moduleState()->jobs())
204 if (a_job == activeJob() || a_job->isDuplicateOf(activeJob()))
205 a_job->setState(SCHEDJOB_IDLE);
206 }
207
208 moduleState()->resetCaptureBatch();
209 // Stop Guiding if it was used
210 stopGuiding();
211
212 appendLogText(i18n("Job '%1' is complete.", activeJob()->getName()));
213
214 // Always reset job stage
215 moduleState()->updateJobStage(SCHEDSTAGE_IDLE);
216
217 // If saving remotely, then can't tell later that the job has been completed.
218 // Set it complete now.
219 if (!canCountCaptures(*activeJob()))
220 activeJob()->setState(SCHEDJOB_COMPLETE);
221
222 moduleState()->setActiveJob(nullptr);
223 moduleState()->setupNextIteration(RUN_SCHEDULER);
224 }
225 else if (activeJob()->getCompletionCondition() == FINISH_REPEAT &&
226 (activeJob()->getRepeatsRemaining() <= 1))
227 {
228 /* If the job is about to repeat, decrease its repeat count and reset its start time */
229 if (activeJob()->getRepeatsRemaining() > 0)
230 {
231 // If we can remember job progress, this is done in estimateJobTime()
232 if (!Options::rememberJobProgress())
233 {
234 activeJob()->setRepeatsRemaining(activeJob()->getRepeatsRemaining() - 1);
235 activeJob()->setCompletedIterations(activeJob()->getCompletedIterations() + 1);
236 }
237 activeJob()->setStartupTime(QDateTime());
238 }
239
240 /* Mark the job idle as well as all its duplicates for re-evaluation */
241 foreach(SchedulerJob *a_job, moduleState()->jobs())
242 if (a_job == activeJob() || a_job->isDuplicateOf(activeJob()))
243 a_job->setState(SCHEDJOB_IDLE);
244
245 /* Re-evaluate all jobs, without selecting a new job */
246 evaluateJobs(true);
247
248 /* If current job is actually complete because of previous duplicates, prepare for next job */
249 if (activeJob() == nullptr || activeJob()->getRepeatsRemaining() == 0)
250 {
252
253 if (activeJob() != nullptr)
254 {
255 emit jobEnded(activeJob()->getName(), activeJob()->getStopReason());
256 appendLogText(i18np("Job '%1' is complete after #%2 batch.",
257 "Job '%1' is complete after #%2 batches.",
258 activeJob()->getName(), activeJob()->getRepeatsRequired()));
259 if (!canCountCaptures(*activeJob()))
260 activeJob()->setState(SCHEDJOB_COMPLETE);
261 moduleState()->setActiveJob(nullptr);
262 }
263 moduleState()->setupNextIteration(RUN_SCHEDULER);
264 }
265 /* If job requires more work, continue current observation */
266 else
267 {
268 /* FIXME: raise priority to allow other jobs to schedule in-between */
269 if (executeJob(activeJob()) == false)
270 return;
271
272 /* JM 2020-08-23: If user opts to force realign instead of for each job then we force this FIRST */
273 if (activeJob()->getStepPipeline() & SchedulerJob::USE_ALIGN && Options::forceAlignmentBeforeJob())
274 {
275 stopGuiding();
276 moduleState()->updateJobStage(SCHEDSTAGE_ALIGNING);
278 }
279 /* If we are guiding, continue capturing */
280 else if ( (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE) )
281 {
282 moduleState()->updateJobStage(SCHEDSTAGE_CAPTURING);
283 startCapture();
284 }
285 /* If we are not guiding, but using alignment, realign */
286 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_ALIGN)
287 {
288 moduleState()->updateJobStage(SCHEDSTAGE_ALIGNING);
290 }
291 /* Else if we are neither guiding nor using alignment, slew back to target */
292 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_TRACK)
293 {
294 moduleState()->updateJobStage(SCHEDSTAGE_SLEWING);
295 startSlew();
296 }
297 /* Else just start capturing */
298 else
299 {
300 moduleState()->updateJobStage(SCHEDSTAGE_CAPTURING);
301 startCapture();
302 }
303
304 appendLogText(i18np("Job '%1' is repeating, #%2 batch remaining.",
305 "Job '%1' is repeating, #%2 batches remaining.",
306 activeJob()->getName(), activeJob()->getRepeatsRemaining()));
307 /* getActiveJob() remains the same */
308 moduleState()->setupNextIteration(RUN_JOBCHECK);
309 }
310 }
311 else if ((activeJob()->getCompletionCondition() == FINISH_LOOP) ||
312 (activeJob()->getCompletionCondition() == FINISH_REPEAT &&
313 activeJob()->getRepeatsRemaining() > 0))
314 {
315 /* If the job is about to repeat, decrease its repeat count and reset its start time */
316 if ((activeJob()->getCompletionCondition() == FINISH_REPEAT) &&
317 (activeJob()->getRepeatsRemaining() > 1))
318 {
319 // If we can remember job progress, this is done in estimateJobTime()
320 if (!Options::rememberJobProgress())
321 {
322 activeJob()->setRepeatsRemaining(activeJob()->getRepeatsRemaining() - 1);
323 activeJob()->setCompletedIterations(activeJob()->getCompletedIterations() + 1);
324 }
325 activeJob()->setStartupTime(QDateTime());
326 }
327
328 if (executeJob(activeJob()) == false)
329 return;
330
331 if (activeJob()->getStepPipeline() & SchedulerJob::USE_ALIGN && Options::forceAlignmentBeforeJob())
332 {
333 stopGuiding();
334 moduleState()->updateJobStage(SCHEDSTAGE_ALIGNING);
336 }
337 else
338 {
339 moduleState()->updateJobStage(SCHEDSTAGE_CAPTURING);
340 startCapture();
341 }
342
343 moduleState()->increaseCaptureBatch();
344
345 if (activeJob()->getCompletionCondition() == FINISH_REPEAT )
346 appendLogText(i18np("Job '%1' is repeating, #%2 batch remaining.",
347 "Job '%1' is repeating, #%2 batches remaining.",
348 activeJob()->getName(), activeJob()->getRepeatsRemaining()));
349 else
350 appendLogText(i18n("Job '%1' is repeating, looping indefinitely.", activeJob()->getName()));
351
352 /* getActiveJob() remains the same */
353 moduleState()->setupNextIteration(RUN_JOBCHECK);
354 }
355 else if (activeJob()->getCompletionCondition() == FINISH_AT)
356 {
357 if (SchedulerModuleState::getLocalTime().secsTo(activeJob()->getFinishAtTime()) <= 0)
358 {
359 emit jobEnded(activeJob()->getName(), activeJob()->getStopReason());
360
361 /* Mark the job idle as well as all its duplicates for re-evaluation */
362 foreach(SchedulerJob *a_job, moduleState()->jobs())
363 if (a_job == activeJob() || a_job->isDuplicateOf(activeJob()))
364 a_job->setState(SCHEDJOB_IDLE);
366
367 moduleState()->resetCaptureBatch();
368
369 appendLogText(i18np("Job '%1' stopping, reached completion time with #%2 batch done.",
370 "Job '%1' stopping, reached completion time with #%2 batches done.",
371 activeJob()->getName(), moduleState()->captureBatch() + 1));
372
373 // Always reset job stage
374 moduleState()->updateJobStage(SCHEDSTAGE_IDLE);
375
376 moduleState()->setActiveJob(nullptr);
377 moduleState()->setupNextIteration(RUN_SCHEDULER);
378 }
379 else
380 {
381 if (executeJob(activeJob()) == false)
382 return;
383
384 if (activeJob()->getStepPipeline() & SchedulerJob::USE_ALIGN && Options::forceAlignmentBeforeJob())
385 {
386 stopGuiding();
387 moduleState()->updateJobStage(SCHEDSTAGE_ALIGNING);
389 }
390 else
391 {
392 moduleState()->updateJobStage(SCHEDSTAGE_CAPTURING);
393 startCapture();
394 }
395
396 moduleState()->increaseCaptureBatch();
397
398 appendLogText(i18np("Job '%1' completed #%2 batch before completion time, restarted.",
399 "Job '%1' completed #%2 batches before completion time, restarted.",
400 activeJob()->getName(), moduleState()->captureBatch()));
401 /* getActiveJob() remains the same */
402 moduleState()->setupNextIteration(RUN_JOBCHECK);
403 }
404 }
405 else
406 {
407 /* Unexpected situation, mitigate by resetting the job and restarting the scheduler timer */
408 qCDebug(KSTARS_EKOS_SCHEDULER) << "BUGBUG! Job '" << activeJob()->getName() <<
409 "' timer elapsed, but no action to be taken.";
410
411 // Always reset job stage
412 moduleState()->updateJobStage(SCHEDSTAGE_IDLE);
413
414 moduleState()->setActiveJob(nullptr);
415 moduleState()->setupNextIteration(RUN_SCHEDULER);
416 }
417}
418
419void Ekos::SchedulerProcess::stopCapturing(QString train, bool followersOnly)
420{
421 if (train == "" && followersOnly)
422 {
423 for (auto key : m_activeJobs.keys())
424 {
425 // abort capturing of all jobs except for the lead job
426 SchedulerJob *job = m_activeJobs[key];
427 if (! job->isLead())
428 {
429 QList<QVariant> dbusargs;
430 dbusargs.append(job->getOpticalTrain());
431 captureInterface()->callWithArgumentList(QDBus::BlockWithGui, "abort", dbusargs);
432 job->setState(SCHEDJOB_ABORTED);
433 }
434 }
435 }
436 else
437 {
438 QList<QVariant> dbusargs;
439 dbusargs.append(train);
440 captureInterface()->callWithArgumentList(QDBus::BlockWithGui, "abort", dbusargs);
441
442 // set all relevant jobs to aborted
443 for (auto job : m_activeJobs.values())
444 if (train == "" || job->getOpticalTrain() == train)
445 job->setState(SCHEDJOB_ABORTED);
446 }
447}
448
450{
451 if (nullptr != activeJob())
452 {
453 qCDebug(KSTARS_EKOS_SCHEDULER) << "Job '" << activeJob()->getName() << "' is stopping current action..." <<
454 activeJob()->getStage();
455
456 switch (activeJob()->getStage())
457 {
458 case SCHEDSTAGE_IDLE:
459 break;
460
461 case SCHEDSTAGE_SLEWING:
462 mountInterface()->call(QDBus::AutoDetect, "abort");
463 break;
464
465 case SCHEDSTAGE_FOCUSING:
466 focusInterface()->call(QDBus::AutoDetect, "abort");
467 break;
468
469 case SCHEDSTAGE_ALIGNING:
470 alignInterface()->call(QDBus::AutoDetect, "abort");
471 break;
472
473 // N.B. Need to use BlockWithGui as proposed by Wolfgang
474 // to ensure capture is properly aborted before taking any further actions.
475 case SCHEDSTAGE_CAPTURING:
476 stopCapturing();
477 break;
478
479 default:
480 break;
481 }
482
483 /* Reset interrupted job stage */
484 moduleState()->updateJobStage(SCHEDSTAGE_IDLE);
485 }
486
487 /* Guiding being a parallel process, check to stop it */
488 stopGuiding();
489}
490
492{
493 if (moduleState()->preemptiveShutdown())
494 {
495 moduleState()->disablePreemptiveShutdown();
496 appendLogText(i18n("Scheduler is awake."));
497 execute();
498 }
499 else
500 {
501 if (moduleState()->schedulerState() == SCHEDULER_RUNNING)
502 appendLogText(i18n("Scheduler is awake. Jobs shall be started when ready..."));
503 else
504 appendLogText(i18n("Scheduler is awake. Jobs shall be started when scheduler is resumed."));
505
506 moduleState()->setupNextIteration(RUN_SCHEDULER);
507 }
508}
509
511{
512 // New scheduler session shouldn't inherit ABORT or ERROR states from the last one.
513 foreach (auto j, moduleState()->jobs())
514 {
515 j->setState(SCHEDJOB_IDLE);
516 emit updateJobTable(j);
517 }
518 moduleState()->init();
519 iterate();
520}
521
523{
524 // do nothing if the scheduler is not running
525 if (moduleState()->schedulerState() != SCHEDULER_RUNNING)
526 return;
527
528 qCInfo(KSTARS_EKOS_SCHEDULER) << "Scheduler is stopping...";
529
530 // Stop running job and abort all others
531 // in case of soft shutdown we skip this
532 if (!moduleState()->preemptiveShutdown())
533 {
534 for (auto &oneJob : moduleState()->jobs())
535 {
536 if (oneJob == activeJob())
538
539 if (oneJob->getState() <= SCHEDJOB_BUSY)
540 {
541 appendLogText(i18n("Job '%1' has not been processed upon scheduler stop, marking aborted.", oneJob->getName()));
542 oneJob->setState(SCHEDJOB_ABORTED);
543 }
544 }
545 }
546
547 moduleState()->setupNextIteration(RUN_NOTHING);
548 moduleState()->cancelGuidingTimer();
549
550 moduleState()->setSchedulerState(SCHEDULER_IDLE);
551 moduleState()->setParkWaitState(PARKWAIT_IDLE);
552 moduleState()->setEkosState(EKOS_IDLE);
553 moduleState()->setIndiState(INDI_IDLE);
554
555 // Only reset startup state to idle if the startup procedure was interrupted before it had the chance to complete.
556 // Or if we're doing a soft shutdown
557 if (moduleState()->startupState() != STARTUP_COMPLETE || moduleState()->preemptiveShutdown())
558 {
559 if (moduleState()->startupState() == STARTUP_SCRIPT)
560 {
561 scriptProcess().disconnect();
562 scriptProcess().terminate();
563 }
564
565 moduleState()->setStartupState(STARTUP_IDLE);
566 }
567 // Reset startup state to unparking phase (dome -> mount -> cap)
568 // We do not want to run the startup script again but unparking should be checked
569 // whenever the scheduler is running again.
570 else if (moduleState()->startupState() == STARTUP_COMPLETE)
571 {
572 if (Options::schedulerUnparkDome())
573 moduleState()->setStartupState(STARTUP_UNPARK_DOME);
574 else if (Options::schedulerUnparkMount())
575 moduleState()->setStartupState(STARTUP_UNPARK_MOUNT);
576 else if (Options::schedulerOpenDustCover())
577 moduleState()->setStartupState(STARTUP_UNPARK_CAP);
578 }
579
580 moduleState()->setShutdownState(SHUTDOWN_IDLE);
581
582 moduleState()->setActiveJob(nullptr);
583 moduleState()->resetFailureCounters();
584 moduleState()->resetAutofocusCompleted();
585
586 // If soft shutdown, we return for now
587 if (moduleState()->preemptiveShutdown())
588 {
589 QDateTime const now = SchedulerModuleState::getLocalTime();
590 int const nextObservationTime = now.secsTo(moduleState()->preemptiveShutdownWakeupTime());
591 moduleState()->setupNextIteration(RUN_WAKEUP,
592 std::lround(((nextObservationTime + 1) * 1000)
593 / KStarsData::Instance()->clock()->scale()));
594 // report success
595 emit schedulerStopped();
596 return;
597 }
598
599 // Clear target name in capture interface upon stopping
600 if (captureInterface().isNull() == false)
601 captureInterface()->setProperty("targetName", QString());
602
603 if (scriptProcess().state() == QProcess::Running)
604 scriptProcess().terminate();
605
606 // report success
607 emit schedulerStopped();
608}
609
611{
612 emit clearJobTable();
613
614 qDeleteAll(moduleState()->jobs());
615 moduleState()->mutlableJobs().clear();
616 moduleState()->setCurrentPosition(-1);
617
618}
619
621{
623 return appendEkosScheduleList(fileURL);
624}
625
626void SchedulerProcess::setSequence(const QString &sequenceFileURL)
627{
628 emit changeCurrentSequence(sequenceFileURL);
629}
630
632{
633 if (moduleState()->schedulerState() == SCHEDULER_RUNNING)
634 return;
635
636 // Reset capture count of all jobs before re-evaluating
637 foreach (SchedulerJob *job, moduleState()->jobs())
638 job->setCompletedCount(0);
639
640 // Evaluate all jobs, this refreshes storage and resets job states
642}
643
645{
646 Q_ASSERT_X(nullptr != job, __FUNCTION__,
647 "There must be a valid current job for Scheduler to test sleep requirement");
648
649 if (job->getLightFramesRequired() == false)
650 return false;
651
652 QDateTime const now = SchedulerModuleState::getLocalTime();
653 int const nextObservationTime = now.secsTo(job->getStartupTime());
654
655 // It is possible that the nextObservationTime is far away, but the reason is that
656 // the user has edited the jobs, and now the active job is not the next thing scheduled.
657 if (getGreedyScheduler()->getScheduledJob() != job)
658 return false;
659
660 // Check weather status before starting the job, if we're not already in preemptive shutdown
661 if (Options::schedulerWeather())
662 {
663 ISD::Weather::Status weatherStatus = moduleState()->weatherStatus();
664 if (weatherStatus == ISD::Weather::WEATHER_WARNING || weatherStatus == ISD::Weather::WEATHER_ALERT)
665 {
666 // If we're already in preemptive shutdown, give up on this job
667 if (moduleState()->weatherGracePeriodActive())
668 {
669 appendLogText(i18n("Job '%1' cannot start because weather status is %2 and grace period is over.",
670 job->getName(), (weatherStatus == ISD::Weather::WEATHER_WARNING) ? i18n("Warning") : i18n("Alert")));
671 activeJob()->setState(SCHEDJOB_ERROR);
672 moduleState()->setWeatherGracePeriodActive(false);
673 findNextJob();
674 return true;
675 }
676
677 QDateTime wakeupTime = SchedulerModuleState::getLocalTime().addSecs(Options::schedulerWeatherGracePeriod() * 60);
678
679 appendLogText(i18n("Job '%1' cannot start because weather status is %2. Waiting until weather improves or until %3",
680 job->getName(), (weatherStatus == ISD::Weather::WEATHER_WARNING) ? i18n("Warning") : i18n("Alert"),
681 wakeupTime.toString()));
682
683
684 moduleState()->setWeatherGracePeriodActive(true);
685 moduleState()->enablePreemptiveShutdown(wakeupTime);
687 emit schedulerSleeping(true, true);
688 return true;
689 }
690 }
691 else
692 moduleState()->setWeatherGracePeriodActive(false);
693
694 // If start up procedure is complete and the user selected pre-emptive shutdown, let us check if the next observation time exceed
695 // the pre-emptive shutdown time in hours (default 2). If it exceeds that, we perform complete shutdown until next job is ready
696 if (moduleState()->startupState() == STARTUP_COMPLETE &&
697 Options::preemptiveShutdown() &&
698 nextObservationTime > (Options::preemptiveShutdownTime() * 3600))
699 {
701 "Job '%1' scheduled for execution at %2. "
702 "Observatory scheduled for shutdown until next job is ready.",
703 job->getName(), job->getStartupTime().toString()));
704 moduleState()->enablePreemptiveShutdown(job->getStartupTime());
706 emit schedulerSleeping(true, false);
707 return true;
708 }
709 // Otherwise, sleep until job is ready
710 /* FIXME: if not parking, stop tracking maybe? this would prevent crashes or scheduler stops from leaving the mount to track and bump the pier */
711 // If start up procedure is already complete, and we didn't issue any parking commands before and parking is checked and enabled
712 // Then we park the mount until next job is ready. But only if the job uses TRACK as its first step, otherwise we cannot get into position again.
713 // This is also only performed if next job is due more than the default lead time (5 minutes).
714 // If job is due sooner than that is not worth parking and we simply go into sleep or wait modes.
715 else if (nextObservationTime > Options::leadTime() * 60 &&
716 moduleState()->startupState() == STARTUP_COMPLETE &&
717 moduleState()->parkWaitState() == PARKWAIT_IDLE &&
718 (job->getStepPipeline() & SchedulerJob::USE_TRACK) &&
719 // schedulerParkMount->isEnabled() &&
720 Options::schedulerParkMount())
721 {
723 "Job '%1' scheduled for execution at %2. "
724 "Parking the mount until the job is ready.",
725 job->getName(), job->getStartupTime().toString()));
726
727 moduleState()->setParkWaitState(PARKWAIT_PARK);
728
729 return false;
730 }
731 else if (nextObservationTime > Options::leadTime() * 60)
732 {
733 auto log = i18n("Sleeping until observation job %1 is ready at %2", job->getName(),
734 now.addSecs(nextObservationTime + 1).toString());
735 appendLogText(log);
736 KSNotification::event(QLatin1String("SchedulerSleeping"), log, KSNotification::Scheduler,
737 KSNotification::Info);
738
739 // Warn the user if the next job is really far away - 60/5 = 12 times the lead time
740 if (nextObservationTime > Options::leadTime() * 60 * 12 && !Options::preemptiveShutdown())
741 {
742 dms delay(static_cast<double>(nextObservationTime * 15.0 / 3600.0));
744 "Warning: Job '%1' is %2 away from now, you may want to enable Preemptive Shutdown.",
745 job->getName(), delay.toHMSString()));
746 }
747
748 /* FIXME: stop tracking now */
749
750 // Wake up when job is due.
751 // FIXME: Implement waking up periodically before job is due for weather check.
752 // int const nextWakeup = nextObservationTime < 60 ? nextObservationTime : 60;
753 moduleState()->setupNextIteration(RUN_WAKEUP,
754 std::lround(((nextObservationTime + 1) * 1000) / KStarsData::Instance()->clock()->scale()));
755
756 emit schedulerSleeping(false, true);
757 return true;
758 }
759
760 return false;
761}
762
764{
765 Q_ASSERT_X(nullptr != activeJob(), __FUNCTION__, "Job starting slewing must be valid");
766
767 // If the mount was parked by a pause or the end-user, unpark
768 if (isMountParked())
769 {
770 moduleState()->setParkWaitState(PARKWAIT_UNPARK);
771 return;
772 }
773
774 if (Options::resetMountModelBeforeJob())
775 {
776 mountInterface()->call(QDBus::AutoDetect, "resetModel");
777 }
778
779 SkyPoint target = activeJob()->getTargetCoords();
780 QList<QVariant> telescopeSlew;
781 telescopeSlew.append(target.ra().Hours());
782 telescopeSlew.append(target.dec().Degrees());
783
784 QDBusReply<bool> const slewModeReply = mountInterface()->callWithArgumentList(QDBus::AutoDetect, "slew",
785 telescopeSlew);
786
787 if (slewModeReply.error().type() != QDBusError::NoError)
788 {
789 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' slew request received DBUS error: %2").arg(
790 activeJob()->getName(), QDBusError::errorString(slewModeReply.error().type()));
792 activeJob()->setState(SCHEDJOB_ERROR);
793 }
794 else
795 {
796 moduleState()->updateJobStage(SCHEDSTAGE_SLEWING);
797 appendLogText(i18n("Job '%1' is slewing to target.", activeJob()->getName()));
798 }
799}
800
802{
803 Q_ASSERT_X(nullptr != activeJob(), __FUNCTION__, "Job starting focusing must be valid");
804 // 2017-09-30 Jasem: We're skipping post align focusing now as it can be performed
805 // when first focus request is made in capture module
806 if (activeJob()->getStage() == SCHEDSTAGE_RESLEWING_COMPLETE ||
807 activeJob()->getStage() == SCHEDSTAGE_POSTALIGN_FOCUSING)
808 {
809 // Clear the HFR limit value set in the capture module
810 captureInterface()->call(QDBus::AutoDetect, "clearAutoFocusHFR");
811 // Reset Focus frame so that next frame take a full-resolution capture first.
812 focusInterface()->call(QDBus::AutoDetect, "resetFrame");
813 moduleState()->updateJobStage(SCHEDSTAGE_POSTALIGN_FOCUSING_COMPLETE);
815 return;
816 }
817
818 if (activeJob()->getOpticalTrain() != "")
819 m_activeJobs.insert(activeJob()->getOpticalTrain(), activeJob());
820 else
821 {
822 QVariant opticalTrain = captureInterface()->property("opticalTrain");
823
824 if (opticalTrain.isValid() == false)
825 {
826 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' opticalTrain request failed.").arg(activeJob()->getName());
828 {
829 activeJob()->setState(SCHEDJOB_ERROR);
830 findNextJob();
831 }
832 return;
833 }
834 // use the default optical train for the active job
835 m_activeJobs.insert(opticalTrain.toString(), activeJob());
836 activeJob()->setOpticalTrain(opticalTrain.toString());
837 }
838
839 // start focusing of the lead job
840 startFocusing(activeJob());
841 // start focusing of all follower jobds
842 foreach (auto follower, activeJob()->followerJobs())
843 {
844 m_activeJobs.insert(follower->getOpticalTrain(), follower);
845 startFocusing(follower);
846 }
847}
848
849
850void SchedulerProcess::startFocusing(SchedulerJob *job)
851{
852
853 // Check if autofocus is supported
854 QDBusReply<bool> boolReply;
855 QList<QVariant> dBusArgs;
856 dBusArgs.append(job->getOpticalTrain());
857 boolReply = focusInterface()->callWithArgumentList(QDBus::AutoDetect, "canAutoFocus", dBusArgs);
858
859 if (boolReply.error().type() != QDBusError::NoError)
860 {
861 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' canAutoFocus request received DBUS error: %2").arg(
862 job->getName(), QDBusError::errorString(boolReply.error().type()));
864 {
865 job->setState(SCHEDJOB_ERROR);
866 findNextJob();
867 }
868 return;
869 }
870
871 if (boolReply.value() == false)
872 {
873 appendLogText(i18n("Warning: job '%1' is unable to proceed with autofocus, not supported.", job->getName()));
874 job->setStepPipeline(
875 static_cast<SchedulerJob::StepPipeline>(job->getStepPipeline() & ~SchedulerJob::USE_FOCUS));
876 moduleState()->setAutofocusCompleted(job->getOpticalTrain(), true);
877 if (moduleState()->autofocusCompleted())
878 {
879 moduleState()->updateJobStage(SCHEDSTAGE_FOCUS_COMPLETE);
881 return;
882 }
883 }
884
885 QDBusMessage reply;
886
887 // Clear the HFR limit value set in the capture module
888 if ((reply = captureInterface()->callWithArgumentList(QDBus::AutoDetect, "clearAutoFocusHFR",
889 dBusArgs)).type() == QDBusMessage::ErrorMessage)
890 {
891 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' clearAutoFocusHFR request received DBUS error: %2").arg(
892 job->getName(), reply.errorMessage());
894 {
895 job->setState(SCHEDJOB_ERROR);
896 findNextJob();
897 }
898 return;
899 }
900
901 // We always need to reset frame first
902 if ((reply = focusInterface()->callWithArgumentList(QDBus::AutoDetect, "resetFrame",
903 dBusArgs)).type() == QDBusMessage::ErrorMessage)
904 {
905 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' resetFrame request received DBUS error: %2").arg(
906 job->getName(), reply.errorMessage());
908 {
909 job->setState(SCHEDJOB_ERROR);
910 findNextJob();
911 }
912 return;
913 }
914
915
916 // If we have a LIGHT filter set, let's set it.
917 if (!job->getInitialFilter().isEmpty())
918 {
919 dBusArgs.clear();
920 dBusArgs.append(job->getInitialFilter());
921 dBusArgs.append(job->getOpticalTrain());
922 if ((reply = focusInterface()->callWithArgumentList(QDBus::AutoDetect, "setFilter",
923 dBusArgs)).type() == QDBusMessage::ErrorMessage)
924 {
925 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' setFilter request received DBUS error: %1").arg(
926 job->getName(), reply.errorMessage());
928 {
929 job->setState(SCHEDJOB_ERROR);
930 findNextJob();
931 }
932 return;
933 }
934 }
935
936 dBusArgs.clear();
937 dBusArgs.append(job->getOpticalTrain());
938 boolReply = focusInterface()->callWithArgumentList(QDBus::AutoDetect, "useFullField", dBusArgs);
939
940 if (boolReply.error().type() != QDBusError::NoError)
941 {
942 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' useFullField request received DBUS error: %2").arg(
943 job->getName(), QDBusError::errorString(boolReply.error().type()));
945 {
946 job->setState(SCHEDJOB_ERROR);
947 findNextJob();
948 }
949 return;
950 }
951
952 if (boolReply.value() == false)
953 {
954 // Set autostar if full field option is false
955 dBusArgs.clear();
956 dBusArgs.append(true);
957 dBusArgs.append(job->getOpticalTrain());
958 if ((reply = focusInterface()->callWithArgumentList(QDBus::AutoDetect, "setAutoStarEnabled", dBusArgs)).type() ==
960 {
961 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' setAutoFocusStar request received DBUS error: %1").arg(
962 job->getName(), reply.errorMessage());
964 {
965 job->setState(SCHEDJOB_ERROR);
966 findNextJob();
967 }
968 return;
969 }
970 }
971
972 // Start auto-focus
973 dBusArgs.clear();
974 dBusArgs.append(job->getOpticalTrain());
975 if ((reply = focusInterface()->callWithArgumentList(QDBus::AutoDetect, "start",
976 dBusArgs)).type() == QDBusMessage::ErrorMessage)
977 {
978 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' startFocus request received DBUS error: %2").arg(
979 job->getName(), reply.errorMessage());
981 {
982 job->setState(SCHEDJOB_ERROR);
983 findNextJob();
984 }
985 return;
986 }
987
988 moduleState()->updateJobStage(SCHEDSTAGE_FOCUSING);
989 appendLogText(i18n("Job '%1' is focusing.", job->getName()));
990 moduleState()->startCurrentOperationTimer();
991}
992
994{
995 Q_ASSERT_X(nullptr != activeJob(), __FUNCTION__, "Job starting aligning must be valid");
996
997 QDBusMessage reply;
998 setSolverAction(Align::GOTO_SLEW);
999
1000 // Always turn update coords on
1001 //QVariant arg(true);
1002 //alignInterface->call(QDBus::AutoDetect, "setUpdateCoords", arg);
1003
1004 // Reset the solver speedup (using the last successful index file and healpix for the
1005 // pointing check) when re-aligning.
1006 moduleState()->setIndexToUse(-1);
1007 moduleState()->setHealpixToUse(-1);
1008
1009 // If FITS file is specified, then we use load and slew
1010 if (activeJob()->getFITSFile().isEmpty() == false)
1011 {
1012 auto path = activeJob()->getFITSFile().toString(QUrl::PreferLocalFile);
1013 // check if the file exists
1014 if (QFile::exists(path) == false)
1015 {
1016 appendLogText(i18n("Warning: job '%1' target FITS file does not exist.", activeJob()->getName()));
1017 activeJob()->setState(SCHEDJOB_ERROR);
1018 findNextJob();
1019 return;
1020 }
1021
1022 QList<QVariant> solveArgs;
1023 solveArgs.append(path);
1024
1025 if ((reply = alignInterface()->callWithArgumentList(QDBus::AutoDetect, "loadAndSlew", solveArgs)).type() ==
1027 {
1028 appendLogText(i18n("Warning: job '%1' loadAndSlew request received DBUS error: %2",
1029 activeJob()->getName(), reply.errorMessage()));
1030 if (!manageConnectionLoss())
1031 {
1032 activeJob()->setState(SCHEDJOB_ERROR);
1033 findNextJob();
1034 }
1035 return;
1036 }
1037 else if (reply.arguments().first().toBool() == false)
1038 {
1039 appendLogText(i18n("Warning: job '%1' loadAndSlew request failed.", activeJob()->getName()));
1040 activeJob()->setState(SCHEDJOB_ABORTED);
1041 findNextJob();
1042 return;
1043 }
1044
1045 appendLogText(i18n("Job '%1' is plate solving %2.", activeJob()->getName(), activeJob()->getFITSFile().fileName()));
1046 }
1047 else
1048 {
1049 // JM 2020.08.20: Send J2000 TargetCoords to Align module so that we always resort back to the
1050 // target original targets even if we drifted away due to any reason like guiding calibration failures.
1051 const SkyPoint targetCoords = activeJob()->getTargetCoords();
1052 QList<QVariant> targetArgs, rotationArgs;
1053 targetArgs << targetCoords.ra0().Hours() << targetCoords.dec0().Degrees();
1054 rotationArgs << activeJob()->getPositionAngle();
1055
1056 if ((reply = alignInterface()->callWithArgumentList(QDBus::AutoDetect, "setTargetCoords",
1057 targetArgs)).type() == QDBusMessage::ErrorMessage)
1058 {
1059 appendLogText(i18n("Warning: job '%1' setTargetCoords request received DBUS error: %2",
1060 activeJob()->getName(), reply.errorMessage()));
1061 if (!manageConnectionLoss())
1062 {
1063 activeJob()->setState(SCHEDJOB_ERROR);
1064 findNextJob();
1065 }
1066 return;
1067 }
1068
1069 // Only send if it has valid value.
1070 if (activeJob()->getPositionAngle() >= -180)
1071 {
1072 if ((reply = alignInterface()->callWithArgumentList(QDBus::AutoDetect, "setTargetPositionAngle",
1073 rotationArgs)).type() == QDBusMessage::ErrorMessage)
1074 {
1075 appendLogText(i18n("Warning: job '%1' setTargetPositionAngle request received DBUS error: %2").arg(
1076 activeJob()->getName(), reply.errorMessage()));
1077 if (!manageConnectionLoss())
1078 {
1079 activeJob()->setState(SCHEDJOB_ERROR);
1080 findNextJob();
1081 }
1082 return;
1083 }
1084 }
1085
1086 if ((reply = alignInterface()->call(QDBus::AutoDetect, "captureAndSolve")).type() == QDBusMessage::ErrorMessage)
1087 {
1088 appendLogText(i18n("Warning: job '%1' captureAndSolve request received DBUS error: %2").arg(
1089 activeJob()->getName(), reply.errorMessage()));
1090 if (!manageConnectionLoss())
1091 {
1092 activeJob()->setState(SCHEDJOB_ERROR);
1093 findNextJob();
1094 }
1095 return;
1096 }
1097 else if (reply.arguments().first().toBool() == false)
1098 {
1099 appendLogText(i18n("Warning: job '%1' captureAndSolve request failed.", activeJob()->getName()));
1100 activeJob()->setState(SCHEDJOB_ABORTED);
1101 findNextJob();
1102 return;
1103 }
1104
1105 appendLogText(i18n("Job '%1' is capturing and plate solving.", activeJob()->getName()));
1106 }
1107
1108 /* FIXME: not supposed to modify the job */
1109 moduleState()->updateJobStage(SCHEDSTAGE_ALIGNING);
1110 moduleState()->startCurrentOperationTimer();
1111}
1112
1113void SchedulerProcess::startGuiding(bool resetCalibration)
1114{
1115 Q_ASSERT_X(nullptr != activeJob(), __FUNCTION__, "Job starting guiding must be valid");
1116
1117 // avoid starting the guider twice
1118 if (resetCalibration == false && getGuidingStatus() == GUIDE_GUIDING)
1119 {
1120 moduleState()->updateJobStage(SCHEDSTAGE_GUIDING_COMPLETE);
1121 appendLogText(i18n("Guiding already running for %1, starting next scheduler action...", activeJob()->getName()));
1122 getNextAction();
1123 moduleState()->startCurrentOperationTimer();
1124 return;
1125 }
1126
1127 // Connect Guider
1128 guideInterface()->call(QDBus::AutoDetect, "connectGuider");
1129
1130 // Set Auto Star to true
1131 QVariant arg(true);
1132 guideInterface()->call(QDBus::AutoDetect, "setAutoStarEnabled", arg);
1133
1134 // Only reset calibration on trouble
1135 // and if we are allowed to reset calibration (true by default)
1136 if (resetCalibration && Options::resetGuideCalibration())
1137 {
1138 guideInterface()->call(QDBus::AutoDetect, "clearCalibration");
1139 }
1140
1141 guideInterface()->call(QDBus::AutoDetect, "guide");
1142
1143 moduleState()->updateJobStage(SCHEDSTAGE_GUIDING);
1144
1145 appendLogText(i18n("Starting guiding procedure for %1 ...", activeJob()->getName()));
1146
1147 moduleState()->startCurrentOperationTimer();
1148}
1149
1151{
1152 if (!guideInterface())
1153 return;
1154
1155 // Tell guider to abort if the current job requires guiding - end-user may enable guiding manually before observation
1156 if (nullptr != activeJob() && (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE))
1157 {
1158 qCInfo(KSTARS_EKOS_SCHEDULER) << QString("Job '%1' is stopping guiding...").arg(activeJob()->getName());
1159 guideInterface()->call(QDBus::AutoDetect, "abort");
1160 moduleState()->resetGuideFailureCount();
1161 // abort all follower jobs
1162 stopCapturing("", true);
1163 }
1164
1165 // In any case, stop the automatic guider restart
1166 if (moduleState()->isGuidingTimerActive())
1167 moduleState()->cancelGuidingTimer();
1168}
1169
1171{
1172 if ((moduleState()->restartGuidingInterval() > 0) &&
1173 (moduleState()->restartGuidingTime().msecsTo(KStarsData::Instance()->ut()) > moduleState()->restartGuidingInterval()))
1174 {
1175 moduleState()->cancelGuidingTimer();
1176 startGuiding(true);
1177 }
1178}
1179
1181{
1182 Q_ASSERT_X(nullptr != activeJob(), __FUNCTION__, "Job starting capturing must be valid");
1183
1184 // ensure that guiding is running before we start capturing
1185 if (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE && getGuidingStatus() != GUIDE_GUIDING)
1186 {
1187 // guiding should run, but it doesn't. So start guiding first
1188 moduleState()->updateJobStage(SCHEDSTAGE_GUIDING);
1189 startGuiding();
1190 return;
1191 }
1192
1193 startSingleCapture(activeJob(), restart);
1194 for (auto follower : activeJob()->followerJobs())
1195 {
1196 // start follower jobs that scheduled or that were already capturing, but stopped
1197 if (follower->getState() == SCHEDJOB_SCHEDULED || (follower->getStage() == SCHEDSTAGE_CAPTURING && follower->isStopped()))
1198 {
1199 follower->setState(SCHEDJOB_BUSY);
1200 follower->setStage(SCHEDSTAGE_CAPTURING);
1201 startSingleCapture(follower, restart);
1202 }
1203 }
1204
1205 moduleState()->updateJobStage(SCHEDSTAGE_CAPTURING);
1206
1207 KSNotification::event(QLatin1String("EkosScheduledImagingStart"),
1208 i18n("Ekos job (%1) - Capture started", activeJob()->getName()), KSNotification::Scheduler);
1209
1210 if (moduleState()->captureBatch() > 0)
1211 appendLogText(i18n("Job '%1' capture is in progress (batch #%2)...", activeJob()->getName(),
1212 moduleState()->captureBatch() + 1));
1213 else
1214 appendLogText(i18n("Job '%1' capture is in progress...", activeJob()->getName()));
1215
1216 moduleState()->startCurrentOperationTimer();
1217}
1218
1219void SchedulerProcess::startSingleCapture(SchedulerJob *job, bool restart)
1220{
1221 captureInterface()->setProperty("targetName", job->getName());
1222
1223 QString url = job->getSequenceFile().toLocalFile();
1224 QVariant train(job->getOpticalTrain());
1225
1226 if (restart == false)
1227 {
1228 QList<QVariant> dbusargs;
1229 QVariant isLead(job->isLead());
1230 // override targets from sequence queue file
1231 QVariant targetName(job->getName());
1232 dbusargs.append(url);
1233 dbusargs.append(train);
1234 dbusargs.append(isLead);
1235 dbusargs.append(targetName);
1236 QDBusReply<bool> const captureReply = captureInterface()->callWithArgumentList(QDBus::AutoDetect,
1237 "loadSequenceQueue",
1238 dbusargs);
1239 if (captureReply.error().type() != QDBusError::NoError)
1240 {
1241 qCCritical(KSTARS_EKOS_SCHEDULER) <<
1242 QString("Warning: job '%1' loadSequenceQueue request received DBUS error: %1").arg(job->getName()).arg(
1243 captureReply.error().message());
1244 if (!manageConnectionLoss())
1245 job->setState(SCHEDJOB_ERROR);
1246 return;
1247 }
1248 // Check if loading sequence fails for whatever reason
1249 else if (captureReply.value() == false)
1250 {
1251 qCCritical(KSTARS_EKOS_SCHEDULER) <<
1252 QString("Warning: job '%1' loadSequenceQueue request failed").arg(job->getName());
1253 if (!manageConnectionLoss())
1254 job->setState(SCHEDJOB_ERROR);
1255 return;
1256 }
1257 }
1258
1259 const CapturedFramesMap fMap = job->getCapturedFramesMap();
1260
1261 for (auto &e : fMap.keys())
1262 {
1263 QList<QVariant> dbusargs;
1264 QDBusMessage reply;
1265 dbusargs.append(e);
1266 dbusargs.append(fMap.value(e));
1267 dbusargs.append(train);
1268
1269 if ((reply = captureInterface()->callWithArgumentList(QDBus::Block, "setCapturedFramesMap",
1270 dbusargs)).type() ==
1272 {
1273 qCCritical(KSTARS_EKOS_SCHEDULER) <<
1274 QString("Warning: job '%1' setCapturedFramesCount request received DBUS error: %1").arg(job->getName()).arg(
1275 reply.errorMessage());
1276 if (!manageConnectionLoss())
1277 job->setState(SCHEDJOB_ERROR);
1278 return;
1279 }
1280 }
1281
1282 // Start capture process
1283 QList<QVariant> dbusargs;
1284 dbusargs.append(train);
1285
1286 QDBusReply<QString> const startReply = captureInterface()->callWithArgumentList(QDBus::AutoDetect, "start",
1287 dbusargs);
1288
1289 if (startReply.error().type() != QDBusError::NoError)
1290 {
1291 qCCritical(KSTARS_EKOS_SCHEDULER) <<
1292 QString("Warning: job '%1' start request received DBUS error: %1").arg(job->getName()).arg(
1293 startReply.error().message());
1294 if (!manageConnectionLoss())
1295 job->setState(SCHEDJOB_ERROR);
1296 return;
1297 }
1298
1299 QString trainName = startReply.value();
1300 m_activeJobs[trainName] = job;
1301 // set the
1302}
1303
1304void SchedulerProcess::setSolverAction(Align::GotoMode mode)
1305{
1306 QVariant gotoMode(static_cast<int>(mode));
1307 alignInterface()->call(QDBus::AutoDetect, "setSolverAction", gotoMode);
1308}
1309
1311{
1312 qCDebug(KSTARS_EKOS_SCHEDULER) << "Loading profiles";
1313 QDBusReply<QStringList> profiles = ekosInterface()->call(QDBus::AutoDetect, "getProfiles");
1314
1315 if (profiles.error().type() == QDBusError::NoError)
1316 moduleState()->updateProfiles(profiles);
1317}
1318
1319void SchedulerProcess::executeScript(const QString &filename)
1320{
1321 appendLogText(i18n("Executing script %1...", filename));
1322
1323 connect(&scriptProcess(), &QProcess::readyReadStandardOutput, this, &SchedulerProcess::readProcessOutput);
1324
1325 connect(&scriptProcess(), static_cast<void (QProcess::*)(int, QProcess::ExitStatus)>(&QProcess::finished),
1326 this, [this](int exitCode, QProcess::ExitStatus)
1327 {
1328 checkProcessExit(exitCode);
1329 });
1330
1331 QStringList arguments;
1332 scriptProcess().start(filename, arguments);
1333}
1334
1336{
1337 if (moduleState()->schedulerState() == SCHEDULER_PAUSED)
1338 return false;
1339
1340 switch (moduleState()->ekosState())
1341 {
1342 case EKOS_IDLE:
1343 {
1344 if (moduleState()->ekosCommunicationStatus() == Ekos::Success)
1345 {
1346 moduleState()->setEkosState(EKOS_READY);
1347 return true;
1348 }
1349 else
1350 {
1351 ekosInterface()->call(QDBus::AutoDetect, "start");
1352 moduleState()->setEkosState(EKOS_STARTING);
1353 moduleState()->startCurrentOperationTimer();
1354
1355 qCInfo(KSTARS_EKOS_SCHEDULER) << "Ekos communication status is" << moduleState()->ekosCommunicationStatus() <<
1356 "Starting Ekos...";
1357
1358 return false;
1359 }
1360 }
1361
1362 case EKOS_STARTING:
1363 {
1364 if (moduleState()->ekosCommunicationStatus() == Ekos::Success)
1365 {
1366 appendLogText(i18n("Ekos started."));
1367 moduleState()->resetEkosConnectFailureCount();
1368 moduleState()->setEkosState(EKOS_READY);
1369 return true;
1370 }
1371 else if (moduleState()->ekosCommunicationStatus() == Ekos::Error)
1372 {
1373 if (moduleState()->increaseEkosConnectFailureCount())
1374 {
1375 appendLogText(i18n("Starting Ekos failed. Retrying..."));
1376 ekosInterface()->call(QDBus::AutoDetect, "start");
1377 return false;
1378 }
1379
1380 appendLogText(i18n("Starting Ekos failed."));
1381 stop();
1382 return false;
1383 }
1384 else if (moduleState()->ekosCommunicationStatus() == Ekos::Idle)
1385 return false;
1386 // If a minute passed, give up
1387 else if (moduleState()->getCurrentOperationMsec() > (60 * 1000))
1388 {
1389 if (moduleState()->increaseEkosConnectFailureCount())
1390 {
1391 appendLogText(i18n("Starting Ekos timed out. Retrying..."));
1392 ekosInterface()->call(QDBus::AutoDetect, "stop");
1393 QTimer::singleShot(1000, this, [&]()
1394 {
1395 ekosInterface()->call(QDBus::AutoDetect, "start");
1396 moduleState()->startCurrentOperationTimer();
1397 });
1398 return false;
1399 }
1400
1401 appendLogText(i18n("Starting Ekos timed out."));
1402 stop();
1403 return false;
1404 }
1405 }
1406 break;
1407
1408 case EKOS_STOPPING:
1409 {
1410 if (moduleState()->ekosCommunicationStatus() == Ekos::Idle)
1411 {
1412 appendLogText(i18n("Ekos stopped."));
1413 moduleState()->setEkosState(EKOS_IDLE);
1414 return true;
1415 }
1416 }
1417 break;
1418
1419 case EKOS_READY:
1420 return true;
1421 }
1422 return false;
1423}
1424
1426{
1427 if (moduleState()->schedulerState() == SCHEDULER_PAUSED)
1428 return false;
1429
1430 switch (moduleState()->indiState())
1431 {
1432 case INDI_IDLE:
1433 {
1434 if (moduleState()->indiCommunicationStatus() == Ekos::Success)
1435 {
1436 moduleState()->setIndiState(INDI_PROPERTY_CHECK);
1437 moduleState()->resetIndiConnectFailureCount();
1438 qCDebug(KSTARS_EKOS_SCHEDULER) << "Checking INDI Properties...";
1439 }
1440 else
1441 {
1442 qCDebug(KSTARS_EKOS_SCHEDULER) << "Connecting INDI devices...";
1443 ekosInterface()->call(QDBus::AutoDetect, "connectDevices");
1444 moduleState()->setIndiState(INDI_CONNECTING);
1445
1446 moduleState()->startCurrentOperationTimer();
1447 }
1448 }
1449 break;
1450
1451 case INDI_CONNECTING:
1452 {
1453 if (moduleState()->indiCommunicationStatus() == Ekos::Success)
1454 {
1455 appendLogText(i18n("INDI devices connected."));
1456 moduleState()->setIndiState(INDI_PROPERTY_CHECK);
1457 }
1458 else if (moduleState()->indiCommunicationStatus() == Ekos::Error)
1459 {
1460 if (moduleState()->increaseIndiConnectFailureCount() <= moduleState()->maxFailureAttempts())
1461 {
1462 appendLogText(i18n("One or more INDI devices failed to connect. Retrying..."));
1463 ekosInterface()->call(QDBus::AutoDetect, "connectDevices");
1464 }
1465 else
1466 {
1467 appendLogText(i18n("One or more INDI devices failed to connect. Check INDI control panel for details."));
1468 stop();
1469 }
1470 }
1471 // If 30 seconds passed, we retry
1472 else if (moduleState()->getCurrentOperationMsec() > (30 * 1000))
1473 {
1474 if (moduleState()->increaseIndiConnectFailureCount() <= moduleState()->maxFailureAttempts())
1475 {
1476 appendLogText(i18n("One or more INDI devices timed out. Retrying..."));
1477 ekosInterface()->call(QDBus::AutoDetect, "connectDevices");
1478 moduleState()->startCurrentOperationTimer();
1479 }
1480 else
1481 {
1482 appendLogText(i18n("One or more INDI devices timed out. Check INDI control panel for details."));
1483 stop();
1484 }
1485 }
1486 }
1487 break;
1488
1489 case INDI_DISCONNECTING:
1490 {
1491 if (moduleState()->indiCommunicationStatus() == Ekos::Idle)
1492 {
1493 appendLogText(i18n("INDI devices disconnected."));
1494 moduleState()->setIndiState(INDI_IDLE);
1495 return true;
1496 }
1497 }
1498 break;
1499
1500 case INDI_PROPERTY_CHECK:
1501 {
1502 qCDebug(KSTARS_EKOS_SCHEDULER) << "Checking INDI properties.";
1503 // If dome unparking is required then we wait for dome interface
1504 if (Options::schedulerUnparkDome() && moduleState()->domeReady() == false)
1505 {
1506 if (moduleState()->getCurrentOperationMsec() > (30 * 1000))
1507 {
1508 moduleState()->startCurrentOperationTimer();
1509 appendLogText(i18n("Warning: dome device not ready after timeout, attempting to recover..."));
1511 stopEkos();
1512 }
1513
1514 appendLogText(i18n("Dome unpark required but dome is not yet ready."));
1515 return false;
1516 }
1517
1518 // If mount unparking is required then we wait for mount interface
1519 if (Options::schedulerUnparkMount() && moduleState()->mountReady() == false)
1520 {
1521 if (moduleState()->getCurrentOperationMsec() > (30 * 1000))
1522 {
1523 moduleState()->startCurrentOperationTimer();
1524 appendLogText(i18n("Warning: mount device not ready after timeout, attempting to recover..."));
1526 stopEkos();
1527 }
1528
1529 qCDebug(KSTARS_EKOS_SCHEDULER) << "Mount unpark required but mount is not yet ready.";
1530 return false;
1531 }
1532
1533 // If cap unparking is required then we wait for cap interface
1534 if (Options::schedulerOpenDustCover() && moduleState()->capReady() == false)
1535 {
1536 if (moduleState()->getCurrentOperationMsec() > (30 * 1000))
1537 {
1538 moduleState()->startCurrentOperationTimer();
1539 appendLogText(i18n("Warning: cap device not ready after timeout, attempting to recover..."));
1541 stopEkos();
1542 }
1543
1544 qCDebug(KSTARS_EKOS_SCHEDULER) << "Cap unpark required but cap is not yet ready.";
1545 return false;
1546 }
1547
1548 // capture interface is required at all times to proceed.
1549 if (captureInterface().isNull())
1550 return false;
1551
1552 if (moduleState()->captureReady() == false)
1553 {
1554 QVariant hasCoolerControl = captureInterface()->property("coolerControl");
1555 qCDebug(KSTARS_EKOS_SCHEDULER) << "Cooler control" << (!hasCoolerControl.isValid() ? "invalid" :
1556 (hasCoolerControl.toBool() ? "True" : "Faklse"));
1557 if (hasCoolerControl.isValid())
1558 moduleState()->setCaptureReady(true);
1559 else
1560 qCWarning(KSTARS_EKOS_SCHEDULER) << "Capture module is not ready yet...";
1561 }
1562
1563 moduleState()->setIndiState(INDI_READY);
1564 moduleState()->resetIndiConnectFailureCount();
1565 return true;
1566 }
1567
1568 case INDI_READY:
1569 return true;
1570 }
1571
1572 return false;
1573}
1574
1576{
1577 // If INDI is not done disconnecting, try again later
1578 if (moduleState()->indiState() == INDI_DISCONNECTING
1579 && checkINDIState() == false)
1580 return false;
1581
1582 // If we are in weather grace period, never shutdown completely
1583 if (moduleState()->weatherGracePeriodActive() == false)
1584 {
1585 // Disconnect INDI if required first
1586 if (moduleState()->indiState() != INDI_IDLE && Options::stopEkosAfterShutdown())
1587 {
1589 return false;
1590 }
1591
1592 // If Ekos is not done stopping, try again later
1593 if (moduleState()->ekosState() == EKOS_STOPPING && checkEkosState() == false)
1594 return false;
1595
1596 // Stop Ekos if required.
1597 if (moduleState()->ekosState() != EKOS_IDLE && Options::stopEkosAfterShutdown())
1598 {
1599 stopEkos();
1600 return false;
1601 }
1602 }
1603
1604 if (moduleState()->shutdownState() == SHUTDOWN_COMPLETE)
1605 appendLogText(i18n("Shutdown complete."));
1606 else
1607 appendLogText(i18n("Shutdown procedure failed, aborting..."));
1608
1609 // Stop Scheduler
1610 stop();
1611
1612 return true;
1613}
1614
1616{
1617 qCInfo(KSTARS_EKOS_SCHEDULER) << "Disconnecting INDI...";
1618 moduleState()->setIndiState(INDI_DISCONNECTING);
1619 ekosInterface()->call(QDBus::AutoDetect, "disconnectDevices");
1620}
1621
1622void SchedulerProcess::stopEkos()
1623{
1624 qCInfo(KSTARS_EKOS_SCHEDULER) << "Stopping Ekos...";
1625 moduleState()->setEkosState(EKOS_STOPPING);
1626 moduleState()->resetEkosConnectFailureCount();
1627 ekosInterface()->call(QDBus::AutoDetect, "stop");
1628 moduleState()->setMountReady(false);
1629 moduleState()->setCaptureReady(false);
1630 moduleState()->setDomeReady(false);
1631 moduleState()->setCapReady(false);
1632}
1633
1635{
1636 if (SCHEDULER_RUNNING != moduleState()->schedulerState())
1637 return false;
1638
1639 // Don't manage loss if Ekos is actually down in the state machine
1640 switch (moduleState()->ekosState())
1641 {
1642 case EKOS_IDLE:
1643 case EKOS_STOPPING:
1644 return false;
1645
1646 default:
1647 break;
1648 }
1649
1650 // Don't manage loss if INDI is actually down in the state machine
1651 switch (moduleState()->indiState())
1652 {
1653 case INDI_IDLE:
1654 case INDI_DISCONNECTING:
1655 return false;
1656
1657 default:
1658 break;
1659 }
1660
1661 // If Ekos is assumed to be up, check its state
1662 //QDBusReply<int> const isEkosStarted = ekosInterface->call(QDBus::AutoDetect, "getEkosStartingStatus");
1663 if (moduleState()->ekosCommunicationStatus() == Ekos::Success)
1664 {
1665 qCDebug(KSTARS_EKOS_SCHEDULER) << QString("Ekos is currently connected, checking INDI before mitigating connection loss.");
1666
1667 // If INDI is assumed to be up, check its state
1668 if (moduleState()->isINDIConnected())
1669 {
1670 // If both Ekos and INDI are assumed up, and are actually up, no mitigation needed, this is a DBus interface error
1671 qCDebug(KSTARS_EKOS_SCHEDULER) << QString("INDI is currently connected, no connection loss mitigation needed.");
1672 return false;
1673 }
1674 }
1675
1676 // Stop actions of the current job
1678
1679 // Acknowledge INDI and Ekos disconnections
1681 stopEkos();
1682
1683 // Let the Scheduler attempt to connect INDI again
1684 return true;
1685
1686}
1687
1689{
1690 if (capInterface().isNull())
1691 return;
1692
1693 QVariant parkingStatus = capInterface()->property("parkStatus");
1694 qCDebug(KSTARS_EKOS_SCHEDULER) << "Parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
1695
1696 if (parkingStatus.isValid() == false)
1697 {
1698 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: cap parkStatus request received DBUS error: %1").arg(
1699 capInterface()->lastError().type());
1700 if (!manageConnectionLoss())
1701 parkingStatus = ISD::PARK_ERROR;
1702 }
1703
1704 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
1705
1706 switch (status)
1707 {
1708 case ISD::PARK_PARKED:
1709 if (moduleState()->shutdownState() == SHUTDOWN_PARKING_CAP)
1710 {
1711 appendLogText(i18n("Cap parked."));
1712 moduleState()->setShutdownState(SHUTDOWN_PARK_MOUNT);
1713 }
1714 moduleState()->resetParkingCapFailureCount();
1715 break;
1716
1717 case ISD::PARK_UNPARKED:
1718 if (moduleState()->startupState() == STARTUP_UNPARKING_CAP)
1719 {
1720 moduleState()->setStartupState(STARTUP_COMPLETE);
1721 appendLogText(i18n("Cap unparked."));
1722 }
1723 moduleState()->resetParkingCapFailureCount();
1724 break;
1725
1726 case ISD::PARK_PARKING:
1727 case ISD::PARK_UNPARKING:
1728 // TODO make the timeouts configurable by the user
1729 if (moduleState()->getCurrentOperationMsec() > (60 * 1000))
1730 {
1731 if (moduleState()->increaseParkingCapFailureCount())
1732 {
1733 appendLogText(i18n("Operation timeout. Restarting operation..."));
1734 if (status == ISD::PARK_PARKING)
1735 parkCap();
1736 else
1737 unParkCap();
1738 break;
1739 }
1740 }
1741 break;
1742
1743 case ISD::PARK_ERROR:
1744 if (moduleState()->shutdownState() == SHUTDOWN_PARKING_CAP)
1745 {
1746 appendLogText(i18n("Cap parking error."));
1747 moduleState()->setShutdownState(SHUTDOWN_ERROR);
1748 }
1749 else if (moduleState()->startupState() == STARTUP_UNPARKING_CAP)
1750 {
1751 appendLogText(i18n("Cap unparking error."));
1752 moduleState()->setStartupState(STARTUP_ERROR);
1753 }
1754 moduleState()->resetParkingCapFailureCount();
1755 break;
1756
1757 default:
1758 break;
1759 }
1760}
1761
1762void SchedulerProcess::checkMountParkingStatus()
1763{
1764 if (mountInterface().isNull())
1765 return;
1766
1767 QVariant parkingStatus = mountInterface()->property("parkStatus");
1768 qCDebug(KSTARS_EKOS_SCHEDULER) << "Mount parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
1769
1770 if (parkingStatus.isValid() == false)
1771 {
1772 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: mount parkStatus request received DBUS error: %1").arg(
1773 mountInterface()->lastError().type());
1774 if (!manageConnectionLoss())
1775 moduleState()->setParkWaitState(PARKWAIT_ERROR);
1776 }
1777
1778 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
1779
1780 switch (status)
1781 {
1782 //case Mount::PARKING_OK:
1783 case ISD::PARK_PARKED:
1784 // If we are starting up, we will unpark the mount in checkParkWaitState soon
1785 // If we are shutting down and mount is parked, proceed to next step
1786 if (moduleState()->shutdownState() == SHUTDOWN_PARKING_MOUNT)
1787 moduleState()->setShutdownState(SHUTDOWN_PARK_DOME);
1788
1789 // Update parking engine state
1790 if (moduleState()->parkWaitState() == PARKWAIT_PARKING)
1791 moduleState()->setParkWaitState(PARKWAIT_PARKED);
1792
1793 appendLogText(i18n("Mount parked."));
1794 moduleState()->resetParkingMountFailureCount();
1795 break;
1796
1797 //case Mount::UNPARKING_OK:
1798 case ISD::PARK_UNPARKED:
1799 // If we are starting up and mount is unparked, proceed to next step
1800 // If we are shutting down, we will park the mount in checkParkWaitState soon
1801 if (moduleState()->startupState() == STARTUP_UNPARKING_MOUNT)
1802 moduleState()->setStartupState(STARTUP_UNPARK_CAP);
1803
1804 // Update parking engine state
1805 if (moduleState()->parkWaitState() == PARKWAIT_UNPARKING)
1806 moduleState()->setParkWaitState(PARKWAIT_UNPARKED);
1807
1808 appendLogText(i18n("Mount unparked."));
1809 moduleState()->resetParkingMountFailureCount();
1810 break;
1811
1812 // FIXME: Create an option for the parking/unparking timeout.
1813
1814 //case Mount::UNPARKING_BUSY:
1815 case ISD::PARK_UNPARKING:
1816 if (moduleState()->getCurrentOperationMsec() > (60 * 1000))
1817 {
1818 if (moduleState()->increaseParkingMountFailureCount())
1819 {
1820 appendLogText(i18n("Warning: mount unpark operation timed out on attempt %1/%2. Restarting operation...",
1821 moduleState()->parkingMountFailureCount(), moduleState()->maxFailureAttempts()));
1822 unParkMount();
1823 }
1824 else
1825 {
1826 appendLogText(i18n("Warning: mount unpark operation timed out on last attempt."));
1827 moduleState()->setParkWaitState(PARKWAIT_ERROR);
1828 }
1829 }
1830 else qCInfo(KSTARS_EKOS_SCHEDULER) << "Unparking mount in progress...";
1831
1832 break;
1833
1834 //case Mount::PARKING_BUSY:
1835 case ISD::PARK_PARKING:
1836 if (moduleState()->getCurrentOperationMsec() > (60 * 1000))
1837 {
1838 if (moduleState()->increaseParkingMountFailureCount())
1839 {
1840 appendLogText(i18n("Warning: mount park operation timed out on attempt %1/%2. Restarting operation...",
1841 moduleState()->parkingMountFailureCount(),
1842 moduleState()->maxFailureAttempts()));
1843 parkMount();
1844 }
1845 else
1846 {
1847 appendLogText(i18n("Warning: mount park operation timed out on last attempt."));
1848 moduleState()->setParkWaitState(PARKWAIT_ERROR);
1849 }
1850 }
1851 else qCInfo(KSTARS_EKOS_SCHEDULER) << "Parking mount in progress...";
1852
1853 break;
1854
1855 //case Mount::PARKING_ERROR:
1856 case ISD::PARK_ERROR:
1857 if (moduleState()->startupState() == STARTUP_UNPARKING_MOUNT)
1858 {
1859 appendLogText(i18n("Mount unparking error."));
1860 moduleState()->setStartupState(STARTUP_ERROR);
1861 moduleState()->resetParkingMountFailureCount();
1862 }
1863 else if (moduleState()->shutdownState() == SHUTDOWN_PARKING_MOUNT)
1864 {
1865 if (moduleState()->increaseParkingMountFailureCount())
1866 {
1867 appendLogText(i18n("Warning: mount park operation failed on attempt %1/%2. Restarting operation...",
1868 moduleState()->parkingMountFailureCount(),
1869 moduleState()->maxFailureAttempts()));
1870 parkMount();
1871 }
1872 else
1873 {
1874 appendLogText(i18n("Mount parking error."));
1875 moduleState()->setShutdownState(SHUTDOWN_ERROR);
1876 moduleState()->resetParkingMountFailureCount();
1877 }
1878
1879 }
1880 else if (moduleState()->parkWaitState() == PARKWAIT_PARKING)
1881 {
1882 appendLogText(i18n("Mount parking error."));
1883 moduleState()->setParkWaitState(PARKWAIT_ERROR);
1884 moduleState()->resetParkingMountFailureCount();
1885 }
1886 else if (moduleState()->parkWaitState() == PARKWAIT_UNPARKING)
1887 {
1888 appendLogText(i18n("Mount unparking error."));
1889 moduleState()->setParkWaitState(PARKWAIT_ERROR);
1890 moduleState()->resetParkingMountFailureCount();
1891 }
1892 break;
1893
1894 //case Mount::PARKING_IDLE:
1895 // FIXME Does this work as intended? check!
1896 case ISD::PARK_UNKNOWN:
1897 // Last parking action did not result in an action, so proceed to next step
1898 if (moduleState()->shutdownState() == SHUTDOWN_PARKING_MOUNT)
1899 moduleState()->setShutdownState(SHUTDOWN_PARK_DOME);
1900
1901 // Last unparking action did not result in an action, so proceed to next step
1902 if (moduleState()->startupState() == STARTUP_UNPARKING_MOUNT)
1903 moduleState()->setStartupState(STARTUP_UNPARK_CAP);
1904
1905 // Update parking engine state
1906 if (moduleState()->parkWaitState() == PARKWAIT_PARKING)
1907 moduleState()->setParkWaitState(PARKWAIT_PARKED);
1908 else if (moduleState()->parkWaitState() == PARKWAIT_UNPARKING)
1909 moduleState()->setParkWaitState(PARKWAIT_UNPARKED);
1910
1911 moduleState()->resetParkingMountFailureCount();
1912 break;
1913 }
1914}
1915
1916void SchedulerProcess::checkDomeParkingStatus()
1917{
1918 if (domeInterface().isNull())
1919 return;
1920
1921 QVariant parkingStatus = domeInterface()->property("parkStatus");
1922 qCDebug(KSTARS_EKOS_SCHEDULER) << "Dome parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
1923
1924 if (parkingStatus.isValid() == false)
1925 {
1926 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: dome parkStatus request received DBUS error: %1").arg(
1927 mountInterface()->lastError().type());
1928 if (!manageConnectionLoss())
1929 moduleState()->setParkWaitState(PARKWAIT_ERROR);
1930 }
1931
1932 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
1933
1934 switch (status)
1935 {
1936 case ISD::PARK_PARKED:
1937 if (moduleState()->shutdownState() == SHUTDOWN_PARKING_DOME)
1938 {
1939 appendLogText(i18n("Dome parked."));
1940
1941 moduleState()->setShutdownState(SHUTDOWN_SCRIPT);
1942 }
1943 moduleState()->resetParkingDomeFailureCount();
1944 break;
1945
1946 case ISD::PARK_UNPARKED:
1947 if (moduleState()->startupState() == STARTUP_UNPARKING_DOME)
1948 {
1949 moduleState()->setStartupState(STARTUP_UNPARK_MOUNT);
1950 appendLogText(i18n("Dome unparked."));
1951 }
1952 moduleState()->resetParkingDomeFailureCount();
1953 break;
1954
1955 case ISD::PARK_PARKING:
1956 case ISD::PARK_UNPARKING:
1957 // TODO make the timeouts configurable by the user
1958 if (moduleState()->getCurrentOperationMsec() > (120 * 1000))
1959 {
1960 if (moduleState()->increaseParkingDomeFailureCount())
1961 {
1962 appendLogText(i18n("Operation timeout. Restarting operation..."));
1963 if (status == ISD::PARK_PARKING)
1964 parkDome();
1965 else
1966 unParkDome();
1967 break;
1968 }
1969 }
1970 break;
1971
1972 case ISD::PARK_ERROR:
1973 if (moduleState()->shutdownState() == SHUTDOWN_PARKING_DOME)
1974 {
1975 if (moduleState()->increaseParkingDomeFailureCount())
1976 {
1977 appendLogText(i18n("Dome parking failed. Restarting operation..."));
1978 parkDome();
1979 }
1980 else
1981 {
1982 appendLogText(i18n("Dome parking error."));
1983 moduleState()->setShutdownState(SHUTDOWN_ERROR);
1984 moduleState()->resetParkingDomeFailureCount();
1985 }
1986 }
1987 else if (moduleState()->startupState() == STARTUP_UNPARKING_DOME)
1988 {
1989 if (moduleState()->increaseParkingDomeFailureCount())
1990 {
1991 appendLogText(i18n("Dome unparking failed. Restarting operation..."));
1992 unParkDome();
1993 }
1994 else
1995 {
1996 appendLogText(i18n("Dome unparking error."));
1997 moduleState()->setStartupState(STARTUP_ERROR);
1998 moduleState()->resetParkingDomeFailureCount();
1999 }
2000 }
2001 break;
2002
2003 default:
2004 break;
2005 }
2006}
2007
2009{
2010 if (moduleState()->schedulerState() == SCHEDULER_PAUSED)
2011 return false;
2012
2013 qCDebug(KSTARS_EKOS_SCHEDULER) << QString("Checking Startup State (%1)...").arg(moduleState()->startupState());
2014
2015 switch (moduleState()->startupState())
2016 {
2017 case STARTUP_IDLE:
2018 {
2019 KSNotification::event(QLatin1String("ObservatoryStartup"), i18n("Observatory is in the startup process"),
2020 KSNotification::Scheduler);
2021
2022 qCDebug(KSTARS_EKOS_SCHEDULER) << "Startup Idle. Starting startup process...";
2023
2024 // If Ekos is already started, we skip the script and move on to dome unpark step
2025 // unless we do not have light frames, then we skip all
2026 //QDBusReply<int> isEkosStarted;
2027 //isEkosStarted = ekosInterface->call(QDBus::AutoDetect, "getEkosStartingStatus");
2028 //if (isEkosStarted.value() == Ekos::Success)
2029 if (Options::alwaysExecuteStartupScript() == false && moduleState()->ekosCommunicationStatus() == Ekos::Success)
2030 {
2031 if (moduleState()->startupScriptURL().isEmpty() == false)
2032 appendLogText(i18n("Ekos is already started, skipping startup script..."));
2033
2034 if (!activeJob() || activeJob()->getLightFramesRequired())
2035 moduleState()->setStartupState(STARTUP_UNPARK_DOME);
2036 else
2037 moduleState()->setStartupState(STARTUP_COMPLETE);
2038 return true;
2039 }
2040
2041 if (moduleState()->currentProfile() != i18n("Default"))
2042 {
2043 QList<QVariant> profile;
2044 profile.append(moduleState()->currentProfile());
2045 ekosInterface()->callWithArgumentList(QDBus::AutoDetect, "setProfile", profile);
2046 }
2047
2048 if (moduleState()->startupScriptURL().isEmpty() == false)
2049 {
2050 moduleState()->setStartupState(STARTUP_SCRIPT);
2051 executeScript(moduleState()->startupScriptURL().toString(QUrl::PreferLocalFile));
2052 return false;
2053 }
2054
2055 moduleState()->setStartupState(STARTUP_UNPARK_DOME);
2056 return false;
2057 }
2058
2059 case STARTUP_SCRIPT:
2060 return false;
2061
2062 case STARTUP_UNPARK_DOME:
2063 // If there is no job in case of manual startup procedure,
2064 // or if the job requires light frames, let's proceed with
2065 // unparking the dome, otherwise startup process is complete.
2066 if (activeJob() == nullptr || activeJob()->getLightFramesRequired())
2067 {
2068 if (Options::schedulerUnparkDome())
2069 unParkDome();
2070 else
2071 moduleState()->setStartupState(STARTUP_UNPARK_MOUNT);
2072 }
2073 else
2074 {
2075 moduleState()->setStartupState(STARTUP_COMPLETE);
2076 return true;
2077 }
2078
2079 break;
2080
2081 case STARTUP_UNPARKING_DOME:
2082 checkDomeParkingStatus();
2083 break;
2084
2085 case STARTUP_UNPARK_MOUNT:
2086 if (Options::schedulerUnparkMount())
2087 unParkMount();
2088 else
2089 moduleState()->setStartupState(STARTUP_UNPARK_CAP);
2090 break;
2091
2092 case STARTUP_UNPARKING_MOUNT:
2093 checkMountParkingStatus();
2094 break;
2095
2096 case STARTUP_UNPARK_CAP:
2097 if (Options::schedulerOpenDustCover())
2098 unParkCap();
2099 else
2100 moduleState()->setStartupState(STARTUP_COMPLETE);
2101 break;
2102
2103 case STARTUP_UNPARKING_CAP:
2105 break;
2106
2107 case STARTUP_COMPLETE:
2108 return true;
2109
2110 case STARTUP_ERROR:
2111 stop();
2112 return true;
2113 }
2114
2115 return false;
2116}
2117
2119{
2120 qCDebug(KSTARS_EKOS_SCHEDULER) << "Checking shutdown state...";
2121
2122 if (moduleState()->schedulerState() == SCHEDULER_PAUSED)
2123 return false;
2124
2125 switch (moduleState()->shutdownState())
2126 {
2127 case SHUTDOWN_IDLE:
2128
2129 qCInfo(KSTARS_EKOS_SCHEDULER) << "Starting shutdown process...";
2130
2131 moduleState()->setActiveJob(nullptr);
2132 moduleState()->setupNextIteration(RUN_SHUTDOWN);
2133 emit shutdownStarted();
2134
2135 if (Options::schedulerWarmCCD())
2136 {
2137 appendLogText(i18n("Warming up CCD..."));
2138
2139 // Turn it off
2140 //QVariant arg(false);
2141 //captureInterface->call(QDBus::AutoDetect, "setCoolerControl", arg);
2142 if (captureInterface())
2143 {
2144 qCDebug(KSTARS_EKOS_SCHEDULER) << "Setting coolerControl=false";
2145 captureInterface()->setProperty("coolerControl", false);
2146 }
2147 }
2148
2149 // The following steps require a connection to the INDI server
2150 if (moduleState()->isINDIConnected())
2151 {
2152 if (Options::schedulerCloseDustCover())
2153 {
2154 moduleState()->setShutdownState(SHUTDOWN_PARK_CAP);
2155 return false;
2156 }
2157
2158 if (Options::schedulerParkMount())
2159 {
2160 moduleState()->setShutdownState(SHUTDOWN_PARK_MOUNT);
2161 return false;
2162 }
2163
2164 if (Options::schedulerParkDome())
2165 {
2166 moduleState()->setShutdownState(SHUTDOWN_PARK_DOME);
2167 return false;
2168 }
2169 }
2170 else appendLogText(i18n("Warning: Bypassing parking procedures, no INDI connection."));
2171
2172 if (moduleState()->shutdownScriptURL().isEmpty() == false)
2173 {
2174 moduleState()->setShutdownState(SHUTDOWN_SCRIPT);
2175 return false;
2176 }
2177
2178 moduleState()->setShutdownState(SHUTDOWN_COMPLETE);
2179 return true;
2180
2181 case SHUTDOWN_PARK_CAP:
2182 if (!moduleState()->isINDIConnected())
2183 {
2184 qCInfo(KSTARS_EKOS_SCHEDULER) << "Bypassing shutdown step 'park cap', no INDI connection.";
2185 moduleState()->setShutdownState(SHUTDOWN_SCRIPT);
2186 }
2187 else if (Options::schedulerCloseDustCover())
2188 parkCap();
2189 else
2190 moduleState()->setShutdownState(SHUTDOWN_PARK_MOUNT);
2191 break;
2192
2193 case SHUTDOWN_PARKING_CAP:
2195 break;
2196
2197 case SHUTDOWN_PARK_MOUNT:
2198 if (!moduleState()->isINDIConnected())
2199 {
2200 qCInfo(KSTARS_EKOS_SCHEDULER) << "Bypassing shutdown step 'park cap', no INDI connection.";
2201 moduleState()->setShutdownState(SHUTDOWN_SCRIPT);
2202 }
2203 else if (Options::schedulerParkMount())
2204 parkMount();
2205 else
2206 moduleState()->setShutdownState(SHUTDOWN_PARK_DOME);
2207 break;
2208
2209 case SHUTDOWN_PARKING_MOUNT:
2210 checkMountParkingStatus();
2211 break;
2212
2213 case SHUTDOWN_PARK_DOME:
2214 if (!moduleState()->isINDIConnected())
2215 {
2216 qCInfo(KSTARS_EKOS_SCHEDULER) << "Bypassing shutdown step 'park cap', no INDI connection.";
2217 moduleState()->setShutdownState(SHUTDOWN_SCRIPT);
2218 }
2219 else if (Options::schedulerParkDome())
2220 parkDome();
2221 else
2222 moduleState()->setShutdownState(SHUTDOWN_SCRIPT);
2223 break;
2224
2225 case SHUTDOWN_PARKING_DOME:
2226 checkDomeParkingStatus();
2227 break;
2228
2229 case SHUTDOWN_SCRIPT:
2230 if (moduleState()->shutdownScriptURL().isEmpty() == false)
2231 {
2232 // Need to stop Ekos now before executing script if it happens to stop INDI
2233 if (moduleState()->ekosState() != EKOS_IDLE && Options::shutdownScriptTerminatesINDI())
2234 {
2235 stopEkos();
2236 return false;
2237 }
2238
2239 moduleState()->setShutdownState(SHUTDOWN_SCRIPT_RUNNING);
2240 executeScript(moduleState()->shutdownScriptURL().toString(QUrl::PreferLocalFile));
2241 }
2242 else
2243 moduleState()->setShutdownState(SHUTDOWN_COMPLETE);
2244 break;
2245
2246 case SHUTDOWN_SCRIPT_RUNNING:
2247 return false;
2248
2249 case SHUTDOWN_COMPLETE:
2250 return completeShutdown();
2251
2252 case SHUTDOWN_ERROR:
2253 stop();
2254 return true;
2255 }
2256
2257 return false;
2258}
2259
2261{
2262 if (moduleState()->schedulerState() == SCHEDULER_PAUSED)
2263 return false;
2264
2265 if (moduleState()->parkWaitState() == PARKWAIT_IDLE)
2266 return true;
2267
2268 // qCDebug(KSTARS_EKOS_SCHEDULER) << "Checking Park Wait State...";
2269
2270 switch (moduleState()->parkWaitState())
2271 {
2272 case PARKWAIT_PARK:
2273 parkMount();
2274 break;
2275
2276 case PARKWAIT_PARKING:
2277 checkMountParkingStatus();
2278 break;
2279
2280 case PARKWAIT_UNPARK:
2281 unParkMount();
2282 break;
2283
2284 case PARKWAIT_UNPARKING:
2285 checkMountParkingStatus();
2286 break;
2287
2288 case PARKWAIT_IDLE:
2289 case PARKWAIT_PARKED:
2290 case PARKWAIT_UNPARKED:
2291 return true;
2292
2293 case PARKWAIT_ERROR:
2294 appendLogText(i18n("park/unpark wait procedure failed, aborting..."));
2295 stop();
2296 return true;
2297
2298 }
2299
2300 return false;
2301}
2302
2304{
2305 if (moduleState()->startupState() == STARTUP_IDLE
2306 || moduleState()->startupState() == STARTUP_ERROR
2307 || moduleState()->startupState() == STARTUP_COMPLETE)
2308 {
2309 connect(KSMessageBox::Instance(), &KSMessageBox::accepted, this, [this]()
2310 {
2311 KSMessageBox::Instance()->disconnect(this);
2312
2313 appendLogText(i18n("Warning: executing startup procedure manually..."));
2314 moduleState()->setStartupState(STARTUP_IDLE);
2316 QTimer::singleShot(1000, this, SLOT(checkStartupProcedure()));
2317
2318 });
2319
2320 KSMessageBox::Instance()->questionYesNo(i18n("Are you sure you want to execute the startup procedure manually?"));
2321 }
2322 else
2323 {
2324 switch (moduleState()->startupState())
2325 {
2326 case STARTUP_IDLE:
2327 break;
2328
2329 case STARTUP_SCRIPT:
2330 scriptProcess().terminate();
2331 break;
2332
2333 case STARTUP_UNPARK_DOME:
2334 break;
2335
2336 case STARTUP_UNPARKING_DOME:
2337 qCDebug(KSTARS_EKOS_SCHEDULER) << "Aborting unparking dome...";
2338 domeInterface()->call(QDBus::AutoDetect, "abort");
2339 break;
2340
2341 case STARTUP_UNPARK_MOUNT:
2342 break;
2343
2344 case STARTUP_UNPARKING_MOUNT:
2345 qCDebug(KSTARS_EKOS_SCHEDULER) << "Aborting unparking mount...";
2346 mountInterface()->call(QDBus::AutoDetect, "abort");
2347 break;
2348
2349 case STARTUP_UNPARK_CAP:
2350 break;
2351
2352 case STARTUP_UNPARKING_CAP:
2353 break;
2354
2355 case STARTUP_COMPLETE:
2356 break;
2357
2358 case STARTUP_ERROR:
2359 break;
2360 }
2361
2362 moduleState()->setStartupState(STARTUP_IDLE);
2363
2364 appendLogText(i18n("Startup procedure terminated."));
2365 }
2366
2367}
2368
2370{
2371 if (moduleState()->shutdownState() == SHUTDOWN_IDLE
2372 || moduleState()->shutdownState() == SHUTDOWN_ERROR
2373 || moduleState()->shutdownState() == SHUTDOWN_COMPLETE)
2374 {
2375 connect(KSMessageBox::Instance(), &KSMessageBox::accepted, this, [this]()
2376 {
2377 KSMessageBox::Instance()->disconnect(this);
2378 appendLogText(i18n("Warning: executing shutdown procedure manually..."));
2379 moduleState()->setShutdownState(SHUTDOWN_IDLE);
2381 QTimer::singleShot(1000, this, SLOT(checkShutdownProcedure()));
2382 });
2383
2384 KSMessageBox::Instance()->questionYesNo(i18n("Are you sure you want to execute the shutdown procedure manually?"));
2385 }
2386 else
2387 {
2388 switch (moduleState()->shutdownState())
2389 {
2390 case SHUTDOWN_IDLE:
2391 break;
2392
2393 case SHUTDOWN_SCRIPT:
2394 break;
2395
2396 case SHUTDOWN_SCRIPT_RUNNING:
2397 scriptProcess().terminate();
2398 break;
2399
2400 case SHUTDOWN_PARK_DOME:
2401 break;
2402
2403 case SHUTDOWN_PARKING_DOME:
2404 qCDebug(KSTARS_EKOS_SCHEDULER) << "Aborting parking dome...";
2405 domeInterface()->call(QDBus::AutoDetect, "abort");
2406 break;
2407
2408 case SHUTDOWN_PARK_MOUNT:
2409 break;
2410
2411 case SHUTDOWN_PARKING_MOUNT:
2412 qCDebug(KSTARS_EKOS_SCHEDULER) << "Aborting parking mount...";
2413 mountInterface()->call(QDBus::AutoDetect, "abort");
2414 break;
2415
2416 case SHUTDOWN_PARK_CAP:
2417 case SHUTDOWN_PARKING_CAP:
2418 break;
2419
2420 case SHUTDOWN_COMPLETE:
2421 break;
2422
2423 case SHUTDOWN_ERROR:
2424 break;
2425 }
2426
2427 moduleState()->setShutdownState(SHUTDOWN_IDLE);
2428
2429 appendLogText(i18n("Shutdown procedure terminated."));
2430 }
2431}
2432
2434{
2435 moduleState()->setupNextIteration(RUN_NOTHING);
2436 appendLogText(i18n("Scheduler paused."));
2437 emit schedulerPaused();
2438}
2439
2441{
2442 // Reset ALL scheduler jobs to IDLE and force-reset their completed count - no effect when progress is kept
2443 for (SchedulerJob * job : moduleState()->jobs())
2444 {
2445 job->reset();
2446 job->setCompletedCount(0);
2447 }
2448
2449 // Unconditionally update the capture storage
2451}
2452
2454{
2455 auto finished_or_aborted = [](SchedulerJob const * const job)
2456 {
2457 SchedulerJobStatus const s = job->getState();
2458 return SCHEDJOB_ERROR <= s || SCHEDJOB_ABORTED == s;
2459 };
2460
2461 /* This predicate matches jobs that are neither scheduled to run nor aborted */
2462 auto neither_scheduled_nor_aborted = [](SchedulerJob const * const job)
2463 {
2464 SchedulerJobStatus const s = job->getState();
2465 return SCHEDJOB_SCHEDULED != s && SCHEDJOB_ABORTED != s;
2466 };
2467
2468 /* If there are no jobs left to run in the filtered list, stop evaluation */
2469 ErrorHandlingStrategy strategy = static_cast<ErrorHandlingStrategy>(Options::errorHandlingStrategy());
2470 if (jobs.isEmpty() || std::all_of(jobs.begin(), jobs.end(), neither_scheduled_nor_aborted))
2471 {
2472 appendLogText(i18n("No jobs left in the scheduler queue after evaluating."));
2473 moduleState()->setActiveJob(nullptr);
2474 return;
2475 }
2476 /* If there are only aborted jobs that can run, reschedule those and let Scheduler restart one loop */
2477 else if (std::all_of(jobs.begin(), jobs.end(), finished_or_aborted) &&
2478 strategy != ERROR_DONT_RESTART)
2479 {
2480 appendLogText(i18n("Only aborted jobs left in the scheduler queue after evaluating, rescheduling those."));
2481 std::for_each(jobs.begin(), jobs.end(), [](SchedulerJob * job)
2482 {
2483 if (SCHEDJOB_ABORTED == job->getState())
2484 job->setState(SCHEDJOB_EVALUATION);
2485 });
2486
2487 return;
2488 }
2489
2490 // GreedyScheduler::scheduleJobs() must be called first.
2491 SchedulerJob *scheduledJob = getGreedyScheduler()->getScheduledJob();
2492 if (!scheduledJob)
2493 {
2494 appendLogText(i18n("No jobs scheduled."));
2495 moduleState()->setActiveJob(nullptr);
2496 return;
2497 }
2498 if (activeJob() != nullptr && scheduledJob != activeJob())
2499 {
2500 // Changing lead, therefore abort all follower jobs that are still running
2501 for (auto job : m_activeJobs.values())
2502 if (!job->isLead() && job->getState() == SCHEDJOB_BUSY)
2503 stopCapturing(job->getOpticalTrain(), false);
2504
2505 // clear the mapping camera name --> scheduler job
2506 m_activeJobs.clear();
2507 }
2508 moduleState()->setActiveJob(scheduledJob);
2509
2510}
2511
2513{
2514 // Reset all jobs
2515 // other states too?
2516 if (SCHEDULER_RUNNING != moduleState()->schedulerState())
2517 resetJobs();
2518
2519 // reset the iterations counter
2520 moduleState()->resetSequenceExecutionCounter();
2521
2522 // And evaluate all pending jobs per the conditions set in each
2523 evaluateJobs(true);
2524}
2525
2526void SchedulerProcess::evaluateJobs(bool evaluateOnly)
2527{
2528 for (auto job : moduleState()->jobs())
2529 job->clearCache();
2530
2531 /* Don't evaluate if list is empty */
2532 if (moduleState()->jobs().isEmpty())
2533 return;
2534 /* Start by refreshing the number of captures already present - unneeded if not remembering job progress */
2535 if (Options::rememberJobProgress())
2537
2538 moduleState()->calculateDawnDusk();
2539
2540 getGreedyScheduler()->scheduleJobs(moduleState()->jobs(), SchedulerModuleState::getLocalTime(),
2541 moduleState()->capturedFramesCount(), this);
2542
2543 // schedule or job states might have been changed, update the table
2544
2545 if (!evaluateOnly && moduleState()->schedulerState() == SCHEDULER_RUNNING)
2546 // At this step, we finished evaluating jobs.
2547 // We select the first job that has to be run, per schedule.
2548 selectActiveJob(moduleState()->jobs());
2549 else
2550 qCInfo(KSTARS_EKOS_SCHEDULER) << "Ekos finished evaluating jobs, no job selection required.";
2551
2552 emit jobsUpdated(moduleState()->getJSONJobs());
2553}
2554
2556{
2557 if (moduleState()->schedulerState() == SCHEDULER_PAUSED)
2558 {
2559 if (activeJob() == nullptr)
2560 {
2561 setPaused();
2562 return false;
2563 }
2564 switch (activeJob()->getState())
2565 {
2566 case SCHEDJOB_BUSY:
2567 // do nothing
2568 break;
2569 case SCHEDJOB_COMPLETE:
2570 // start finding next job before pausing
2571 break;
2572 default:
2573 // in all other cases pause
2574 setPaused();
2575 break;
2576 }
2577 }
2578
2579 // #1 If no current job selected, let's check if we need to shutdown or evaluate jobs
2580 if (activeJob() == nullptr)
2581 {
2582 // #2.1 If shutdown is already complete or in error, we need to stop
2583 if (moduleState()->shutdownState() == SHUTDOWN_COMPLETE
2584 || moduleState()->shutdownState() == SHUTDOWN_ERROR)
2585 {
2586 return completeShutdown();
2587 }
2588
2589 // #2.2 Check if shutdown is in progress
2590 if (moduleState()->shutdownState() > SHUTDOWN_IDLE)
2591 {
2592 // If Ekos is not done stopping, try again later
2593 if (moduleState()->ekosState() == EKOS_STOPPING && checkEkosState() == false)
2594 return false;
2595
2597 return false;
2598 }
2599
2600 // #2.3 Check if park wait procedure is in progress
2601 if (checkParkWaitState() == false)
2602 return false;
2603
2604 // #2.4 If not in shutdown state, evaluate the jobs
2605 evaluateJobs(false);
2606
2607 // #2.5 check if all jobs have completed and repeat is set
2608 if (nullptr == activeJob() && moduleState()->checkRepeatSequence())
2609 {
2610 // Reset all jobs
2611 resetJobs();
2612 // Re-evaluate all jobs to check whether there is at least one that might be executed
2613 evaluateJobs(false);
2614 // if there is an executable job, restart;
2615 if (activeJob())
2616 {
2617 moduleState()->increaseSequenceExecutionCounter();
2618 appendLogText(i18n("Starting job sequence iteration #%1", moduleState()->sequenceExecutionCounter()));
2619 return true;
2620 }
2621 }
2622
2623 // #2.6 If there is no current job after evaluation, shutdown
2624 if (nullptr == activeJob())
2625 {
2627 return false;
2628 }
2629 }
2630 // JM 2018-12-07: Check if we need to sleep
2631 else if (shouldSchedulerSleep(activeJob()) == false)
2632 {
2633 // #3 Check if startup procedure has failed.
2634 if (moduleState()->startupState() == STARTUP_ERROR)
2635 {
2636 // Stop Scheduler
2637 stop();
2638 return true;
2639 }
2640
2641 // #4 Check if startup procedure Phase #1 is complete (Startup script)
2642 if ((moduleState()->startupState() == STARTUP_IDLE
2643 && checkStartupState() == false)
2644 || moduleState()->startupState() == STARTUP_SCRIPT)
2645 return false;
2646
2647 // #5 Check if Ekos is started
2648 if (checkEkosState() == false)
2649 return false;
2650
2651 // #6 Check if INDI devices are connected.
2652 if (checkINDIState() == false)
2653 return false;
2654
2655 // #6.1 Check if park wait procedure is in progress - in the case we're waiting for a distant job
2656 if (checkParkWaitState() == false)
2657 return false;
2658
2659 // #7 Check if startup procedure Phase #2 is complete (Unparking phase)
2660 if (moduleState()->startupState() > STARTUP_SCRIPT
2661 && moduleState()->startupState() < STARTUP_ERROR
2662 && checkStartupState() == false)
2663 return false;
2664
2665 // #8 Check it it already completed (should only happen starting a paused job)
2666 // Find the next job in this case, otherwise execute the current one
2667 if (activeJob() && activeJob()->getState() == SCHEDJOB_COMPLETE)
2668 findNextJob();
2669
2670 // N.B. We explicitly do not check for return result here because regardless of execution result
2671 // we do not have any pending tasks further down.
2672 executeJob(activeJob());
2673 emit updateJobTable();
2674 }
2675
2676 return true;
2677}
2678
2680{
2681 qCDebug(KSTARS_EKOS_SCHEDULER) << "Get next action...";
2682
2683 switch (activeJob()->getStage())
2684 {
2685 case SCHEDSTAGE_IDLE:
2686 if (activeJob()->getLightFramesRequired())
2687 {
2688 if (activeJob()->getStepPipeline() & SchedulerJob::USE_TRACK)
2689 startSlew();
2690 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_FOCUS && moduleState()->autofocusCompleted() == false)
2691 {
2692 qCDebug(KSTARS_EKOS_SCHEDULER) << "startFocusing on 3485";
2693 startFocusing();
2694 }
2695 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_ALIGN)
2697 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE)
2698 if (getGuidingStatus() == GUIDE_GUIDING)
2699 {
2700 appendLogText(i18n("Guiding already running, directly start capturing."));
2701 startCapture();
2702 }
2703 else
2704 startGuiding();
2705 else
2706 startCapture();
2707 }
2708 else
2709 {
2710 if (activeJob()->getStepPipeline())
2712 i18n("Job '%1' is proceeding directly to capture stage because only calibration frames are pending.",
2713 activeJob()->getName()));
2714 startCapture();
2715 }
2716
2717 break;
2718
2719 case SCHEDSTAGE_SLEW_COMPLETE:
2720 if (activeJob()->getStepPipeline() & SchedulerJob::USE_FOCUS && moduleState()->autofocusCompleted() == false)
2721 {
2722 qCDebug(KSTARS_EKOS_SCHEDULER) << "startFocusing on 3514";
2723 startFocusing();
2724 }
2725 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_ALIGN)
2727 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE)
2728 startGuiding();
2729 else
2730 startCapture();
2731 break;
2732
2733 case SCHEDSTAGE_FOCUS_COMPLETE:
2734 if (activeJob()->getStepPipeline() & SchedulerJob::USE_ALIGN)
2736 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE)
2737 startGuiding();
2738 else
2739 startCapture();
2740 break;
2741
2742 case SCHEDSTAGE_ALIGN_COMPLETE:
2743 moduleState()->updateJobStage(SCHEDSTAGE_RESLEWING);
2744 break;
2745
2746 case SCHEDSTAGE_RESLEWING_COMPLETE:
2747 // If we have in-sequence-focus in the sequence file then we perform post alignment focusing so that the focus
2748 // frame is ready for the capture module in-sequence-focus procedure.
2749 if ((activeJob()->getStepPipeline() & SchedulerJob::USE_FOCUS) && activeJob()->getInSequenceFocus())
2750 // Post alignment re-focusing
2751 {
2752 qCDebug(KSTARS_EKOS_SCHEDULER) << "startFocusing on 3544";
2753 startFocusing();
2754 }
2755 else if (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE)
2756 startGuiding();
2757 else
2758 startCapture();
2759 break;
2760
2761 case SCHEDSTAGE_POSTALIGN_FOCUSING_COMPLETE:
2762 if (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE)
2763 startGuiding();
2764 else
2765 startCapture();
2766 break;
2767
2768 case SCHEDSTAGE_GUIDING_COMPLETE:
2769 startCapture();
2770 break;
2771
2772 default:
2773 break;
2774 }
2775}
2776
2778{
2779 const int msSleep = runSchedulerIteration();
2780 if (msSleep < 0)
2781 return;
2782
2783 connect(&moduleState()->iterationTimer(), &QTimer::timeout, this, &SchedulerProcess::iterate, Qt::UniqueConnection);
2784 moduleState()->iterationTimer().setSingleShot(true);
2785 moduleState()->iterationTimer().start(msSleep);
2786
2787}
2788
2790{
2791 qint64 now = QDateTime::currentMSecsSinceEpoch();
2792 if (moduleState()->startMSecs() == 0)
2793 moduleState()->setStartMSecs(now);
2794
2795 // printStates(QString("\nrunScheduler Iteration %1 @ %2")
2796 // .arg(moduleState()->increaseSchedulerIteration())
2797 // .arg((now - moduleState()->startMSecs()) / 1000.0, 1, 'f', 3));
2798
2799 SchedulerTimerState keepTimerState = moduleState()->timerState();
2800
2801 // TODO: At some point we should require that timerState and timerInterval
2802 // be explicitly set in all iterations. Not there yet, would require too much
2803 // refactoring of the scheduler. When we get there, we'd exectute the following here:
2804 // timerState = RUN_NOTHING; // don't like this comment, it should always set a state and interval!
2805 // timerInterval = -1;
2806 moduleState()->setIterationSetup(false);
2807 switch (keepTimerState)
2808 {
2809 case RUN_WAKEUP:
2810 changeSleepLabel("", false);
2812 break;
2813 case RUN_SCHEDULER:
2814 checkStatus();
2815 break;
2816 case RUN_JOBCHECK:
2817 checkJobStage();
2818 break;
2819 case RUN_SHUTDOWN:
2821 break;
2822 case RUN_NOTHING:
2823 moduleState()->setTimerInterval(-1);
2824 break;
2825 }
2826 if (!moduleState()->iterationSetup())
2827 {
2828 // See the above TODO.
2829 // Since iterations aren't yet always set up, we repeat the current
2830 // iteration type if one wasn't set up in the current iteration.
2831 // qCDebug(KSTARS_EKOS_SCHEDULER) << "Scheduler iteration never set up.";
2832 moduleState()->setTimerInterval(moduleState()->updatePeriodMs());
2833 }
2834 // printStates(QString("End iteration, sleep %1: ").arg(moduleState()->timerInterval()));
2835 return moduleState()->timerInterval();
2836}
2837
2839{
2840 Q_ASSERT_X(activeJob(), __FUNCTION__, "Actual current job is required to check job stage");
2841 if (!activeJob())
2842 return;
2843
2844 if (checkJobStageCounter == 0)
2845 {
2846 qCDebug(KSTARS_EKOS_SCHEDULER) << "Checking job stage for" << activeJob()->getName() << "startup" <<
2847 activeJob()->getStartupCondition() << activeJob()->getStartupTime().toString() << "state" << activeJob()->getState();
2848 if (checkJobStageCounter++ == 30)
2849 checkJobStageCounter = 0;
2850 }
2851
2852 emit syncGreedyParams();
2853 if (!getGreedyScheduler()->checkJob(moduleState()->leadJobs(), SchedulerModuleState::getLocalTime(), activeJob()))
2854 {
2855 activeJob()->setState(SCHEDJOB_IDLE);
2857 findNextJob();
2858 return;
2859 }
2860 checkJobStageEpilogue();
2861}
2862
2863void SchedulerProcess::checkJobStageEpilogue()
2864{
2865 if (!activeJob())
2866 return;
2867
2868 // #5 Check system status to improve robustness
2869 // This handles external events such as disconnections or end-user manipulating INDI panel
2870 if (!checkStatus())
2871 return;
2872
2873 // #5b Check the guiding timer, and possibly restart guiding.
2875
2876 // #6 Check each stage is processing properly
2877 // FIXME: Vanishing property should trigger a call to its event callback
2878 if (!activeJob()) return;
2879 switch (activeJob()->getStage())
2880 {
2881 case SCHEDSTAGE_IDLE:
2882 // Job is just starting.
2883 emit jobStarted(activeJob()->getName());
2884 getNextAction();
2885 break;
2886
2887 case SCHEDSTAGE_ALIGNING:
2888 // Let's make sure align module does not become unresponsive
2889 if (moduleState()->getCurrentOperationMsec() > static_cast<int>(ALIGN_INACTIVITY_TIMEOUT))
2890 {
2891 QVariant const status = alignInterface()->property("status");
2892 Ekos::AlignState alignStatus = static_cast<Ekos::AlignState>(status.toInt());
2893
2894 if (alignStatus == Ekos::ALIGN_IDLE)
2895 {
2896 if (moduleState()->increaseAlignFailureCount())
2897 {
2898 qCDebug(KSTARS_EKOS_SCHEDULER) << "Align module timed out. Restarting request...";
2900 }
2901 else
2902 {
2903 appendLogText(i18n("Warning: job '%1' alignment procedure failed, marking aborted.", activeJob()->getName()));
2904 activeJob()->setState(SCHEDJOB_ABORTED);
2905 findNextJob();
2906 }
2907 }
2908 else
2909 moduleState()->startCurrentOperationTimer();
2910 }
2911 break;
2912
2913 case SCHEDSTAGE_CAPTURING:
2914 // Let's make sure capture module does not become unresponsive
2915 if (moduleState()->getCurrentOperationMsec() > static_cast<int>(CAPTURE_INACTIVITY_TIMEOUT))
2916 {
2917 QVariant const status = captureInterface()->property("status");
2918 Ekos::CaptureState captureStatus = static_cast<Ekos::CaptureState>(status.toInt());
2919
2920 if (captureStatus == Ekos::CAPTURE_IDLE)
2921 {
2922 if (moduleState()->increaseCaptureFailureCount())
2923 {
2924 qCDebug(KSTARS_EKOS_SCHEDULER) << "capture module timed out. Restarting request...";
2925 startCapture();
2926 }
2927 else
2928 {
2929 appendLogText(i18n("Warning: job '%1' capture procedure failed, marking aborted.", activeJob()->getName()));
2930 activeJob()->setState(SCHEDJOB_ABORTED);
2931 findNextJob();
2932 }
2933 }
2934 else moduleState()->startCurrentOperationTimer();
2935 }
2936 break;
2937
2938 case SCHEDSTAGE_FOCUSING:
2939 // Let's make sure focus module does not become unresponsive
2940 if (moduleState()->getCurrentOperationMsec() > static_cast<int>(FOCUS_INACTIVITY_TIMEOUT))
2941 {
2942 bool success = true;
2943 foreach (const QString trainname, m_activeJobs.keys())
2944 {
2945 QList<QVariant> dbusargs;
2946 dbusargs.append(trainname);
2947 QDBusReply<Ekos::FocusState> statusReply = focusInterface()->callWithArgumentList(QDBus::AutoDetect, "status", dbusargs);
2948 if (statusReply.error().type() != QDBusError::NoError)
2949 {
2950 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: job '%1' status request received DBUS error: %2").arg(
2951 m_activeJobs[trainname]->getName(), QDBusError::errorString(statusReply.error().type()));
2952 success = false;
2953 }
2954 if (success == false && !manageConnectionLoss())
2955 {
2956 activeJob()->setState(SCHEDJOB_ERROR);
2957 findNextJob();
2958 return;
2959 }
2960 Ekos::FocusState focusStatus = statusReply.value();
2961 if (focusStatus == Ekos::FOCUS_IDLE || focusStatus == Ekos::FOCUS_WAITING)
2962 {
2963 if (moduleState()->increaseFocusFailureCount(trainname))
2964 {
2965 qCDebug(KSTARS_EKOS_SCHEDULER) << "Focus module timed out. Restarting request...";
2966 startFocusing(m_activeJobs[trainname]);
2967 }
2968 else
2969 success = false;
2970 }
2971 }
2972
2973 if (success == false)
2974 {
2975 appendLogText(i18n("Warning: job '%1' focusing procedure failed, marking aborted.", activeJob()->getName()));
2976 activeJob()->setState(SCHEDJOB_ABORTED);
2977 findNextJob();
2978 }
2979 }
2980 else moduleState()->startCurrentOperationTimer();
2981 break;
2982
2983 case SCHEDSTAGE_GUIDING:
2984 // Let's make sure guide module does not become unresponsive
2985 if (moduleState()->getCurrentOperationMsec() > GUIDE_INACTIVITY_TIMEOUT)
2986 {
2987 GuideState guideStatus = getGuidingStatus();
2988
2989 if (guideStatus == Ekos::GUIDE_IDLE || guideStatus == Ekos::GUIDE_CONNECTED || guideStatus == Ekos::GUIDE_DISCONNECTED)
2990 {
2991 if (moduleState()->increaseGuideFailureCount())
2992 {
2993 qCDebug(KSTARS_EKOS_SCHEDULER) << "guide module timed out. Restarting request...";
2994 startGuiding();
2995 }
2996 else
2997 {
2998 appendLogText(i18n("Warning: job '%1' guiding procedure failed, marking aborted.", activeJob()->getName()));
2999 activeJob()->setState(SCHEDJOB_ABORTED);
3000 findNextJob();
3001 }
3002 }
3003 else moduleState()->startCurrentOperationTimer();
3004 }
3005 break;
3006
3007 case SCHEDSTAGE_SLEWING:
3008 case SCHEDSTAGE_RESLEWING:
3009 // While slewing or re-slewing, check slew status can still be obtained
3010 {
3011 QVariant const slewStatus = mountInterface()->property("status");
3012
3013 if (slewStatus.isValid())
3014 {
3015 // Send the slew status periodically to avoid the situation where the mount is already at location and does not send any event
3016 // FIXME: in that case, filter TRACKING events only?
3017 ISD::Mount::Status const status = static_cast<ISD::Mount::Status>(slewStatus.toInt());
3018 setMountStatus(status);
3019 }
3020 else
3021 {
3022 appendLogText(i18n("Warning: job '%1' lost connection to the mount, attempting to reconnect.", activeJob()->getName()));
3023 if (!manageConnectionLoss())
3024 activeJob()->setState(SCHEDJOB_ERROR);
3025 return;
3026 }
3027 }
3028 break;
3029
3030 case SCHEDSTAGE_SLEW_COMPLETE:
3031 case SCHEDSTAGE_RESLEWING_COMPLETE:
3032 // When done slewing or re-slewing and we use a dome, only shift to the next action when the dome is done moving
3033 if (moduleState()->domeReady())
3034 {
3035 QVariant const isDomeMoving = domeInterface()->property("isMoving");
3036
3037 if (!isDomeMoving.isValid())
3038 {
3039 appendLogText(i18n("Warning: job '%1' lost connection to the dome, attempting to reconnect.", activeJob()->getName()));
3040 if (!manageConnectionLoss())
3041 activeJob()->setState(SCHEDJOB_ERROR);
3042 return;
3043 }
3044
3045 if (!isDomeMoving.value<bool>())
3046 getNextAction();
3047 }
3048 else getNextAction();
3049 break;
3050
3051 default:
3052 break;
3053 }
3054}
3055
3057{
3058 moduleState()->calculateDawnDusk();
3059
3060 if (SCHEDULER_RUNNING != moduleState()->schedulerState())
3061 {
3062 evaluateJobs(true);
3063 }
3064}
3065
3066bool SchedulerProcess::executeJob(SchedulerJob * job)
3067{
3068 if (job == nullptr)
3069 return false;
3070
3071 // Don't execute the current job if it is already busy
3072 if (activeJob() == job && SCHEDJOB_BUSY == activeJob()->getState())
3073 return false;
3074
3075 moduleState()->setActiveJob(job);
3076
3077 // If we already started, we check when the next object is scheduled at.
3078 // If it is more than 30 minutes in the future, we park the mount if that is supported
3079 // and we unpark when it is due to start.
3080 //int const nextObservationTime = now.secsTo(getActiveJob()->getStartupTime());
3081
3082 // If the time to wait is greater than the lead time (5 minutes by default)
3083 // then we sleep, otherwise we wait. It's the same thing, just different labels.
3084 if (shouldSchedulerSleep(activeJob()))
3085 return false;
3086 // If job schedule isn't now, wait - continuing to execute would cancel a parking attempt
3087 else if (0 < SchedulerModuleState::getLocalTime().secsTo(activeJob()->getStartupTime()))
3088 return false;
3089
3090 // From this point job can be executed now
3091
3092 if (job->getCompletionCondition() == FINISH_SEQUENCE && Options::rememberJobProgress())
3093 captureInterface()->setProperty("targetName", job->getName());
3094
3095 moduleState()->calculateDawnDusk();
3096
3097 // Reset autofocus so that focus step is applied properly when checked
3098 // When the focus step is not checked, the capture module will eventually run focus periodically
3099 moduleState()->setAutofocusCompleted(job->getOpticalTrain(), false);
3100
3101 qCInfo(KSTARS_EKOS_SCHEDULER) << "Executing Job " << activeJob()->getName();
3102
3103 activeJob()->setState(SCHEDJOB_BUSY);
3104 emit jobsUpdated(moduleState()->getJSONJobs());
3105
3106 KSNotification::event(QLatin1String("EkosSchedulerJobStart"),
3107 i18n("Ekos job started (%1)", activeJob()->getName()), KSNotification::Scheduler);
3108
3109 // No need to continue evaluating jobs as we already have one.
3110 moduleState()->setupNextIteration(RUN_JOBCHECK);
3111 return true;
3112}
3113
3115{
3116 QFile file;
3117 file.setFileName(fileURL.toLocalFile());
3118
3119 if (!file.open(QIODevice::WriteOnly))
3120 {
3121 QString message = i18n("Unable to write to file %1", fileURL.toLocalFile());
3122 KSNotification::sorry(message, i18n("Could Not Open File"));
3123 return false;
3124 }
3125
3126 QTextStream outstream(&file);
3127
3128 // We serialize sequence data to XML using the C locale
3129 QLocale cLocale = QLocale::c();
3130
3131 outstream << "<?xml version=\"1.0\" encoding=\"UTF-8\"?>" << Qt::endl;
3132 outstream << "<SchedulerList version='2.1'>" << Qt::endl;
3133 // ensure to escape special XML characters
3134 outstream << "<Profile>" << QString(entityXML(strdup(moduleState()->currentProfile().toStdString().c_str()))) <<
3135 "</Profile>" << Qt::endl;
3136
3137 auto tiles = KStarsData::Instance()->skyComposite()->mosaicComponent()->tiles();
3138 bool useMosaicInfo = !tiles->sequenceFile().isEmpty();
3139
3140 if (useMosaicInfo)
3141 {
3142 outstream << "<Mosaic>" << Qt::endl;
3143 outstream << "<Target>" << tiles->targetName() << "</Target>" << Qt::endl;
3144 outstream << "<Group>" << tiles->group() << "</Group>" << Qt::endl;
3145
3146 QString ccArg, ccValue = tiles->completionCondition(&ccArg);
3147 if (ccValue == "FinishSequence")
3148 outstream << "<FinishSequence/>" << Qt::endl;
3149 else if (ccValue == "FinishLoop")
3150 outstream << "<FinishLoop/>" << Qt::endl;
3151 else if (ccValue == "FinishRepeat")
3152 outstream << "<FinishRepeat>" << ccArg << "</FinishRepeat>" << Qt::endl;
3153
3154 outstream << "<Sequence>" << tiles->sequenceFile() << "</Sequence>" << Qt::endl;
3155 outstream << "<Directory>" << tiles->outputDirectory() << "</Directory>" << Qt::endl;
3156
3157 outstream << "<FocusEveryN>" << tiles->focusEveryN() << "</FocusEveryN>" << Qt::endl;
3158 outstream << "<AlignEveryN>" << tiles->alignEveryN() << "</AlignEveryN>" << Qt::endl;
3159 if (tiles->isTrackChecked())
3160 outstream << "<TrackChecked/>" << Qt::endl;
3161 if (tiles->isFocusChecked())
3162 outstream << "<FocusChecked/>" << Qt::endl;
3163 if (tiles->isAlignChecked())
3164 outstream << "<AlignChecked/>" << Qt::endl;
3165 if (tiles->isGuideChecked())
3166 outstream << "<GuideChecked/>" << Qt::endl;
3167 outstream << "<Overlap>" << cLocale.toString(tiles->overlap()) << "</Overlap>" << Qt::endl;
3168 outstream << "<CenterRA>" << cLocale.toString(tiles->ra0().Hours()) << "</CenterRA>" << Qt::endl;
3169 outstream << "<CenterDE>" << cLocale.toString(tiles->dec0().Degrees()) << "</CenterDE>" << Qt::endl;
3170 outstream << "<GridW>" << tiles->gridSize().width() << "</GridW>" << Qt::endl;
3171 outstream << "<GridH>" << tiles->gridSize().height() << "</GridH>" << Qt::endl;
3172 outstream << "<FOVW>" << cLocale.toString(tiles->mosaicFOV().width()) << "</FOVW>" << Qt::endl;
3173 outstream << "<FOVH>" << cLocale.toString(tiles->mosaicFOV().height()) << "</FOVH>" << Qt::endl;
3174 outstream << "<CameraFOVW>" << cLocale.toString(tiles->cameraFOV().width()) << "</CameraFOVW>" << Qt::endl;
3175 outstream << "<CameraFOVH>" << cLocale.toString(tiles->cameraFOV().height()) << "</CameraFOVH>" << Qt::endl;
3176 outstream << "</Mosaic>" << Qt::endl;
3177 }
3178
3179 int index = 0;
3180 for (auto &job : moduleState()->jobs())
3181 {
3182 outstream << "<Job>" << Qt::endl;
3183
3184 // ensure to escape special XML characters
3185 outstream << "<JobType lead='" << (job->isLead() ? "true" : "false") << "'/>" << Qt::endl;
3186 if (job->isLead())
3187 {
3188 outstream << "<Name>" << QString(entityXML(strdup(job->getName().toStdString().c_str()))) << "</Name>" << Qt::endl;
3189 outstream << "<Group>" << QString(entityXML(strdup(job->getGroup().toStdString().c_str()))) << "</Group>" << Qt::endl;
3190 outstream << "<Coordinates>" << Qt::endl;
3191 outstream << "<J2000RA>" << cLocale.toString(job->getTargetCoords().ra0().Hours()) << "</J2000RA>" << Qt::endl;
3192 outstream << "<J2000DE>" << cLocale.toString(job->getTargetCoords().dec0().Degrees()) << "</J2000DE>" << Qt::endl;
3193 outstream << "</Coordinates>" << Qt::endl;
3194 }
3195
3196 if (! job->getOpticalTrain().isEmpty())
3197 outstream << "<OpticalTrain>" << QString(entityXML(strdup(job->getOpticalTrain().toStdString().c_str()))) <<
3198 "</OpticalTrain>" << Qt::endl;
3199
3200 if (job->isLead() && job->getFITSFile().isValid() && job->getFITSFile().isEmpty() == false)
3201 outstream << "<FITS>" << job->getFITSFile().toLocalFile() << "</FITS>" << Qt::endl;
3202 else
3203 outstream << "<PositionAngle>" << job->getPositionAngle() << "</PositionAngle>" << Qt::endl;
3204
3205 outstream << "<Sequence>" << job->getSequenceFile().toLocalFile() << "</Sequence>" << Qt::endl;
3206
3207 if (useMosaicInfo && index < tiles->tiles().size())
3208 {
3209 auto oneTile = tiles->tiles().at(index++);
3210 outstream << "<TileCenter>" << Qt::endl;
3211 outstream << "<X>" << cLocale.toString(oneTile->center.x()) << "</X>" << Qt::endl;
3212 outstream << "<Y>" << cLocale.toString(oneTile->center.y()) << "</Y>" << Qt::endl;
3213 outstream << "<Rotation>" << cLocale.toString(oneTile->rotation) << "</Rotation>" << Qt::endl;
3214 outstream << "</TileCenter>" << Qt::endl;
3215 }
3216
3217 if (job->isLead())
3218 {
3219 outstream << "<StartupCondition>" << Qt::endl;
3220 if (job->getFileStartupCondition() == START_ASAP)
3221 outstream << "<Condition>ASAP</Condition>" << Qt::endl;
3222 else if (job->getFileStartupCondition() == START_AT)
3223 outstream << "<Condition value='" << job->getStartAtTime().toString(Qt::ISODate) << "'>At</Condition>"
3224 << Qt::endl;
3225 outstream << "</StartupCondition>" << Qt::endl;
3226
3227 outstream << "<Constraints>" << Qt::endl;
3228 if (job->hasMinAltitude())
3229 outstream << "<Constraint value='" << cLocale.toString(job->getMinAltitude()) << "'>MinimumAltitude</Constraint>" <<
3230 Qt::endl;
3231 if (job->getMinMoonSeparation() > 0)
3232 outstream << "<Constraint value='" << cLocale.toString(job->getMinMoonSeparation()) << "'>MoonSeparation</Constraint>"
3233 << Qt::endl;
3234 if (job->getMaxMoonAltitude() < 90)
3235 outstream << "<Constraint value='" << cLocale.toString(job->getMaxMoonAltitude()) << "'>MoonMaxAltitude</Constraint>"
3236 << Qt::endl;
3237 if (job->getEnforceTwilight())
3238 outstream << "<Constraint>EnforceTwilight</Constraint>" << Qt::endl;
3239 if (job->getEnforceArtificialHorizon())
3240 outstream << "<Constraint>EnforceArtificialHorizon</Constraint>" << Qt::endl;
3241 outstream << "</Constraints>" << Qt::endl;
3242 }
3243
3244 outstream << "<CompletionCondition>" << Qt::endl;
3245 if (job->getCompletionCondition() == FINISH_SEQUENCE)
3246 outstream << "<Condition>Sequence</Condition>" << Qt::endl;
3247 else if (job->getCompletionCondition() == FINISH_REPEAT)
3248 outstream << "<Condition value='" << cLocale.toString(job->getRepeatsRequired()) << "'>Repeat</Condition>" << Qt::endl;
3249 else if (job->getCompletionCondition() == FINISH_LOOP)
3250 outstream << "<Condition>Loop</Condition>" << Qt::endl;
3251 else if (job->getCompletionCondition() == FINISH_AT)
3252 outstream << "<Condition value='" << job->getFinishAtTime().toString(Qt::ISODate) << "'>At</Condition>"
3253 << Qt::endl;
3254 outstream << "</CompletionCondition>" << Qt::endl;
3255
3256 if (job->isLead())
3257 {
3258 outstream << "<Steps>" << Qt::endl;
3259 if (job->getStepPipeline() & SchedulerJob::USE_TRACK)
3260 outstream << "<Step>Track</Step>" << Qt::endl;
3261 if (job->getStepPipeline() & SchedulerJob::USE_FOCUS)
3262 outstream << "<Step>Focus</Step>" << Qt::endl;
3263 if (job->getStepPipeline() & SchedulerJob::USE_ALIGN)
3264 outstream << "<Step>Align</Step>" << Qt::endl;
3265 if (job->getStepPipeline() & SchedulerJob::USE_GUIDE)
3266 outstream << "<Step>Guide</Step>" << Qt::endl;
3267 outstream << "</Steps>" << Qt::endl;
3268 }
3269 outstream << "</Job>" << Qt::endl;
3270 }
3271
3272 outstream << "<SchedulerAlgorithm value='" << ALGORITHM_GREEDY << "'/>" << Qt::endl;
3273 outstream << "<ErrorHandlingStrategy value='" << Options::errorHandlingStrategy() << "'>" << Qt::endl;
3274 if (Options::rescheduleErrors())
3275 outstream << "<RescheduleErrors />" << Qt::endl;
3276 outstream << "<delay>" << Options::errorHandlingStrategyDelay() << "</delay>" << Qt::endl;
3277 outstream << "</ErrorHandlingStrategy>" << Qt::endl;
3278
3279 outstream << "<StartupProcedure>" << Qt::endl;
3280 if (moduleState()->startupScriptURL().isEmpty() == false)
3281 outstream << "<Procedure value='" << moduleState()->startupScriptURL().toString(QUrl::PreferLocalFile) <<
3282 "'>StartupScript</Procedure>" << Qt::endl;
3283 if (Options::schedulerUnparkDome())
3284 outstream << "<Procedure>UnparkDome</Procedure>" << Qt::endl;
3285 if (Options::schedulerUnparkMount())
3286 outstream << "<Procedure>UnparkMount</Procedure>" << Qt::endl;
3287 if (Options::schedulerOpenDustCover())
3288 outstream << "<Procedure>UnparkCap</Procedure>" << Qt::endl;
3289 outstream << "</StartupProcedure>" << Qt::endl;
3290
3291 outstream << "<ShutdownProcedure>" << Qt::endl;
3292 if (Options::schedulerWarmCCD())
3293 outstream << "<Procedure>WarmCCD</Procedure>" << Qt::endl;
3294 if (Options::schedulerCloseDustCover())
3295 outstream << "<Procedure>ParkCap</Procedure>" << Qt::endl;
3296 if (Options::schedulerParkMount())
3297 outstream << "<Procedure>ParkMount</Procedure>" << Qt::endl;
3298 if (Options::schedulerParkDome())
3299 outstream << "<Procedure>ParkDome</Procedure>" << Qt::endl;
3300 if (moduleState()->shutdownScriptURL().isEmpty() == false)
3301 outstream << "<Procedure value='" << moduleState()->shutdownScriptURL().toString(QUrl::PreferLocalFile) <<
3302 "'>schedulerStartupScript</Procedure>" <<
3303 Qt::endl;
3304 outstream << "</ShutdownProcedure>" << Qt::endl;
3305
3306 outstream << "</SchedulerList>" << Qt::endl;
3307
3308 appendLogText(i18n("Scheduler list saved to %1", fileURL.toLocalFile()));
3309 file.close();
3310 moduleState()->setDirty(false);
3311 return true;
3312}
3313
3314void SchedulerProcess::checkAlignment(const QVariantMap &metadata, const QString &trainname)
3315{
3316 // check if the metadata comes from the lead job
3317 if (activeJob() == nullptr || (activeJob()->getOpticalTrain() != "" && activeJob()->getOpticalTrain() != trainname))
3318 {
3319 qCDebug(KSTARS_EKOS_SCHEDULER) << "Ignoring metadata from train =" << trainname << "for alignment check.";
3320 return;
3321 }
3322
3323 if (activeJob()->getStepPipeline() & SchedulerJob::USE_ALIGN &&
3324 metadata["type"].toInt() == FRAME_LIGHT &&
3325 Options::alignCheckFrequency() > 0 &&
3326 moduleState()->increaseSolverIteration() >= Options::alignCheckFrequency())
3327 {
3328 moduleState()->resetSolverIteration();
3329
3330 auto filename = metadata["filename"].toString();
3331 auto exposure = metadata["exposure"].toDouble();
3332
3333 qCDebug(KSTARS_EKOS_SCHEDULER) << "Checking alignment on train =" << trainname << "for" << filename;
3334
3335 constexpr double minSolverSeconds = 5.0;
3336 double solverTimeout = std::max(exposure - 2, minSolverSeconds);
3337 if (solverTimeout >= minSolverSeconds)
3338 {
3339 auto profiles = getDefaultAlignOptionsProfiles();
3340
3341 SSolver::Parameters parameters;
3342 // Get solver parameters
3343 // In case of exception, use first profile
3344 try
3345 {
3346 parameters = profiles.at(Options::solveOptionsProfile());
3347 }
3348 catch (std::out_of_range const &)
3349 {
3350 parameters = profiles[0];
3351 }
3352
3353 // Double search radius
3354 parameters.search_radius = parameters.search_radius * 2;
3355 m_Solver.reset(new SolverUtils(parameters, solverTimeout), &QObject::deleteLater);
3356 connect(m_Solver.get(), &SolverUtils::done, this, &Ekos::SchedulerProcess::solverDone, Qt::UniqueConnection);
3357 //connect(m_Solver.get(), &SolverUtils::newLog, this, &Ekos::Scheduler::appendLogText, Qt::UniqueConnection);
3358
3359 auto width = metadata["width"].toUInt() / (metadata["binx"].isValid() ? metadata["binx"].toUInt() : 1);
3360 auto height = metadata["height"].toUInt() / (metadata["biny"].isValid() ? metadata["biny"].toUInt() : 1);
3361
3362 auto lowScale = Options::astrometryImageScaleLow();
3363 auto highScale = Options::astrometryImageScaleHigh();
3364
3365 // solver utils uses arcsecs per pixel only
3366 if (Options::astrometryImageScaleUnits() == SSolver::DEG_WIDTH)
3367 {
3368 lowScale = (lowScale * 3600) / std::max(width, height);
3369 highScale = (highScale * 3600) / std::min(width, height);
3370 }
3371 else if (Options::astrometryImageScaleUnits() == SSolver::ARCMIN_WIDTH)
3372 {
3373 lowScale = (lowScale * 60) / std::max(width, height);
3374 highScale = (highScale * 60) / std::min(width, height);
3375 }
3376
3377 m_Solver->useScale(Options::astrometryUseImageScale(), lowScale, highScale);
3378 m_Solver->usePosition(Options::astrometryUsePosition(), activeJob()->getTargetCoords().ra().Degrees(),
3379 activeJob()->getTargetCoords().dec().Degrees());
3380 m_Solver->setHealpix(moduleState()->indexToUse(), moduleState()->healpixToUse());
3381 m_Solver->runSolver(filename);
3382 }
3383 }
3384}
3385
3386void SchedulerProcess::solverDone(bool timedOut, bool success, const FITSImage::Solution &solution, double elapsedSeconds)
3387{
3388 disconnect(m_Solver.get(), &SolverUtils::done, this, &Ekos::SchedulerProcess::solverDone);
3389
3390 if (!activeJob())
3391 return;
3392
3393 QString healpixString = "";
3394 if (moduleState()->indexToUse() != -1 || moduleState()->healpixToUse() != -1)
3395 healpixString = QString("Healpix %1 Index %2").arg(moduleState()->healpixToUse()).arg(moduleState()->indexToUse());
3396
3397 if (timedOut || !success)
3398 {
3399 // Don't use the previous index and healpix next time we solve.
3400 moduleState()->setIndexToUse(-1);
3401 moduleState()->setHealpixToUse(-1);
3402 }
3403 else
3404 {
3405 int index, healpix;
3406 // Get the index and healpix from the successful solve.
3407 m_Solver->getSolutionHealpix(&index, &healpix);
3408 moduleState()->setIndexToUse(index);
3409 moduleState()->setHealpixToUse(healpix);
3410 }
3411
3412 if (timedOut)
3413 appendLogText(i18n("Solver timed out: %1s %2", QString("%L1").arg(elapsedSeconds, 0, 'f', 1), healpixString));
3414 else if (!success)
3415 appendLogText(i18n("Solver failed: %1s %2", QString("%L1").arg(elapsedSeconds, 0, 'f', 1), healpixString));
3416 else
3417 {
3418 const double ra = solution.ra;
3419 const double dec = solution.dec;
3420
3421 const auto target = activeJob()->getTargetCoords();
3422
3423 SkyPoint alignCoord;
3424 alignCoord.setRA0(ra / 15.0);
3425 alignCoord.setDec0(dec);
3426 alignCoord.apparentCoord(static_cast<long double>(J2000), KStars::Instance()->data()->ut().djd());
3427 alignCoord.EquatorialToHorizontal(KStarsData::Instance()->lst(), KStarsData::Instance()->geo()->lat());
3428 const double diffRa = (alignCoord.ra().deltaAngle(target.ra())).Degrees() * 3600;
3429 const double diffDec = (alignCoord.dec().deltaAngle(target.dec())).Degrees() * 3600;
3430
3431 // This is an approximation, probably ok for small angles.
3432 const double diffTotal = hypot(diffRa, diffDec);
3433
3434 // Note--the RA output is in DMS. This is because we're looking at differences in arcseconds
3435 // and HMS coordinates are misleading (one HMS second is really 6 arc-seconds).
3436 qCDebug(KSTARS_EKOS_SCHEDULER) <<
3437 QString("Target Distance: %1\" Target (RA: %2 DE: %3) Current (RA: %4 DE: %5) %6 solved in %7s")
3438 .arg(QString("%L1").arg(diffTotal, 0, 'f', 0),
3439 target.ra().toDMSString(),
3440 target.dec().toDMSString(),
3441 alignCoord.ra().toDMSString(),
3442 alignCoord.dec().toDMSString(),
3443 healpixString,
3444 QString("%L1").arg(elapsedSeconds, 0, 'f', 2));
3445 emit targetDistance(diffTotal);
3446
3447 // If we exceed align check threshold, we abort and re-align.
3448 if (diffTotal / 60 > Options::alignCheckThreshold())
3449 {
3450 appendLogText(i18n("Captured frame is %1 arcminutes away from target, re-aligning...", QString::number(diffTotal / 60.0,
3451 'f', 1)));
3454 }
3455 }
3456}
3457
3459{
3460 SchedulerState const old_state = moduleState()->schedulerState();
3461 moduleState()->setSchedulerState(SCHEDULER_LOADING);
3462
3463 QFile sFile;
3464 sFile.setFileName(fileURL);
3465
3466 if (!sFile.open(QIODevice::ReadOnly))
3467 {
3468 QString message = i18n("Unable to open file %1", fileURL);
3469 KSNotification::sorry(message, i18n("Could Not Open File"));
3470 moduleState()->setSchedulerState(old_state);
3471 return false;
3472 }
3473
3474 LilXML *xmlParser = newLilXML();
3475 char errmsg[MAXRBUF];
3476 XMLEle *root = nullptr;
3477 XMLEle *ep = nullptr;
3478 XMLEle *subEP = nullptr;
3479 char c;
3480
3481 // We expect all data read from the XML to be in the C locale - QLocale::c()
3482 QLocale cLocale = QLocale::c();
3483
3484 // remember previous job
3485 SchedulerJob *lastLead = nullptr;
3486
3487 // retrieve optical trains names to ensure that only known trains are used
3488 const QStringList allTrainNames = OpticalTrainManager::Instance()->getTrainNames();
3489 QStringList remainingTrainNames = allTrainNames;
3490
3491 while (sFile.getChar(&c))
3492 {
3493 root = readXMLEle(xmlParser, c, errmsg);
3494
3495 if (root)
3496 {
3497 for (ep = nextXMLEle(root, 1); ep != nullptr; ep = nextXMLEle(root, 0))
3498 {
3499 const char *tag = tagXMLEle(ep);
3500 if (!strcmp(tag, "Job"))
3501 {
3502 SchedulerJob *newJob = SchedulerUtils::createJob(ep, lastLead);
3503 // remember new lead if such one has been created
3504 if (newJob->isLead())
3505 {
3506 lastLead = newJob;
3507 // reset usable train names
3508 remainingTrainNames = allTrainNames;
3509 }
3510 // check train name
3511 const QString trainname = newJob->getOpticalTrain();
3512 bool allowedName = (newJob->isLead() && trainname.isEmpty()) || allTrainNames.contains(trainname);
3513 bool availableName = (newJob->isLead() && trainname.isEmpty()) || !remainingTrainNames.isEmpty();
3514
3515 if (!allowedName && availableName)
3516 {
3517 const QString message = trainname.isEmpty() ?
3518 i18n("Warning: train name is empty, selecting \"%1\".", remainingTrainNames.first()) :
3519 i18n("Warning: train name %2 does not exist, selecting \"%1\".", remainingTrainNames.first(), trainname);
3520 appendLogText(message);
3521 if(KMessageBox::warningContinueCancel(nullptr, message, i18n("Select optical train"), KStandardGuiItem::cont(),
3522 KStandardGuiItem::cancel(), "correct_missing_train_warning") != KMessageBox::Continue)
3523 break;
3524
3525 newJob->setOpticalTrain(remainingTrainNames.first());
3526 remainingTrainNames.removeFirst();
3527 }
3528 else if (!availableName)
3529 {
3530 const QString message = i18n("Warning: no available train name for scheduler job, select the optical train name manually.");
3531 appendLogText(message);
3532
3533 if(KMessageBox::warningContinueCancel(nullptr, message, i18n("Select optical train"), KStandardGuiItem::cont(),
3534 KStandardGuiItem::cancel(), "correct_missing_train_warning") != KMessageBox::Continue)
3535 break;
3536 }
3537
3538 emit addJob(newJob);
3539 }
3540 else if (!strcmp(tag, "Mosaic"))
3541 {
3542 // If we have mosaic info, load it up.
3543 auto tiles = KStarsData::Instance()->skyComposite()->mosaicComponent()->tiles();
3544 tiles->fromXML(fileURL);
3545 }
3546 else if (!strcmp(tag, "Profile"))
3547 {
3548 moduleState()->setCurrentProfile(pcdataXMLEle(ep));
3549 }
3550 // disabled, there is only one algorithm
3551 else if (!strcmp(tag, "SchedulerAlgorithm"))
3552 {
3553 int algIndex = cLocale.toInt(findXMLAttValu(ep, "value"));
3554 if (algIndex != ALGORITHM_GREEDY)
3555 appendLogText(i18n("Warning: The Classic scheduler algorithm has been retired. Switching you to the Greedy algorithm."));
3556 }
3557 else if (!strcmp(tag, "ErrorHandlingStrategy"))
3558 {
3559 Options::setErrorHandlingStrategy(static_cast<ErrorHandlingStrategy>(cLocale.toInt(findXMLAttValu(ep,
3560 "value"))));
3561
3562 subEP = findXMLEle(ep, "delay");
3563 if (subEP)
3564 {
3565 Options::setErrorHandlingStrategyDelay(cLocale.toInt(pcdataXMLEle(subEP)));
3566 }
3567 subEP = findXMLEle(ep, "RescheduleErrors");
3568 Options::setRescheduleErrors(subEP != nullptr);
3569 }
3570 else if (!strcmp(tag, "StartupProcedure"))
3571 {
3572 XMLEle *procedure;
3573 Options::setSchedulerUnparkDome(false);
3574 Options::setSchedulerUnparkMount(false);
3575 Options::setSchedulerOpenDustCover(false);
3576
3577 for (procedure = nextXMLEle(ep, 1); procedure != nullptr; procedure = nextXMLEle(ep, 0))
3578 {
3579 const char *proc = pcdataXMLEle(procedure);
3580
3581 if (!strcmp(proc, "StartupScript"))
3582 {
3583 moduleState()->setStartupScriptURL(QUrl::fromUserInput(findXMLAttValu(procedure, "value")));
3584 }
3585 else if (!strcmp(proc, "UnparkDome"))
3586 Options::setSchedulerUnparkDome(true);
3587 else if (!strcmp(proc, "UnparkMount"))
3588 Options::setSchedulerUnparkMount(true);
3589 else if (!strcmp(proc, "UnparkCap"))
3590 Options::setSchedulerOpenDustCover(true);
3591 }
3592 }
3593 else if (!strcmp(tag, "ShutdownProcedure"))
3594 {
3595 XMLEle *procedure;
3596 Options::setSchedulerWarmCCD(false);
3597 Options::setSchedulerParkDome(false);
3598 Options::setSchedulerParkMount(false);
3599 Options::setSchedulerCloseDustCover(false);
3600
3601 for (procedure = nextXMLEle(ep, 1); procedure != nullptr; procedure = nextXMLEle(ep, 0))
3602 {
3603 const char *proc = pcdataXMLEle(procedure);
3604
3605 if (!strcmp(proc, "ShutdownScript"))
3606 {
3607 moduleState()->setShutdownScriptURL(QUrl::fromUserInput(findXMLAttValu(procedure, "value")));
3608 }
3609 else if (!strcmp(proc, "WarmCCD"))
3610 Options::setSchedulerWarmCCD(true);
3611 else if (!strcmp(proc, "ParkDome"))
3612 Options::setSchedulerParkDome(true);
3613 else if (!strcmp(proc, "ParkMount"))
3614 Options::setSchedulerParkMount(true);
3615 else if (!strcmp(proc, "ParkCap"))
3616 Options::setSchedulerCloseDustCover(true);
3617 }
3618 }
3619 }
3620 delXMLEle(root);
3621 emit syncGUIToGeneralSettings();
3622 }
3623 else if (errmsg[0])
3624 {
3625 appendLogText(QString(errmsg));
3626 delLilXML(xmlParser);
3627 moduleState()->setSchedulerState(old_state);
3628 return false;
3629 }
3630 }
3631
3632 moduleState()->setDirty(false);
3633 delLilXML(xmlParser);
3634 emit updateSchedulerURL(fileURL);
3635
3636 moduleState()->setSchedulerState(old_state);
3637 return true;
3638}
3639
3641{
3642 if (logentry.isEmpty())
3643 return;
3644
3645 /* FIXME: user settings for log length */
3646 int const max_log_count = 2000;
3647 if (moduleState()->logText().size() > max_log_count)
3648 moduleState()->logText().removeLast();
3649
3650 moduleState()->logText().prepend(i18nc("log entry; %1 is the date, %2 is the text", "%1 %2",
3651 SchedulerModuleState::getLocalTime().toString("yyyy-MM-ddThh:mm:ss"), logentry));
3652
3653 qCInfo(KSTARS_EKOS_SCHEDULER) << logentry;
3654
3655 emit newLog(logentry);
3656}
3657
3659{
3660 moduleState()->logText().clear();
3661 emit newLog(QString());
3662}
3663
3664void SchedulerProcess::setAlignStatus(AlignState status)
3665{
3666 if (moduleState()->schedulerState() == SCHEDULER_PAUSED || activeJob() == nullptr)
3667 return;
3668
3669 qCDebug(KSTARS_EKOS_SCHEDULER) << "Align State" << Ekos::getAlignStatusString(status);
3670
3671 /* If current job is scheduled and has not started yet, wait */
3672 if (SCHEDJOB_SCHEDULED == activeJob()->getState())
3673 {
3674 QDateTime const now = SchedulerModuleState::getLocalTime();
3675 if (now < activeJob()->getStartupTime())
3676 return;
3677 }
3678
3679 if (activeJob()->getStage() == SCHEDSTAGE_ALIGNING)
3680 {
3681 // Is solver complete?
3682 if (status == Ekos::ALIGN_COMPLETE)
3683 {
3684 appendLogText(i18n("Job '%1' alignment is complete.", activeJob()->getName()));
3685 moduleState()->resetAlignFailureCount();
3686
3687 moduleState()->updateJobStage(SCHEDSTAGE_ALIGN_COMPLETE);
3688
3689 // If we solved a FITS file, let's use its center coords as our target.
3690 if (activeJob()->getFITSFile().isEmpty() == false)
3691 {
3692 QDBusReply<QList<double>> solutionReply = alignInterface()->call("getTargetCoords");
3693 if (solutionReply.isValid())
3694 {
3695 QList<double> const values = solutionReply.value();
3696 activeJob()->setTargetCoords(dms(values[0] * 15.0), dms(values[1]), KStarsData::Instance()->ut().djd());
3697 }
3698 }
3699 getNextAction();
3700 }
3701 else if (status == Ekos::ALIGN_FAILED || status == Ekos::ALIGN_ABORTED)
3702 {
3703 appendLogText(i18n("Warning: job '%1' alignment failed.", activeJob()->getName()));
3704
3705 if (moduleState()->increaseAlignFailureCount())
3706 {
3707 if (Options::resetMountModelOnAlignFail() && moduleState()->maxFailureAttempts() - 1 < moduleState()->alignFailureCount())
3708 {
3709 appendLogText(i18n("Warning: job '%1' forcing mount model reset after failing alignment #%2.", activeJob()->getName(),
3710 moduleState()->alignFailureCount()));
3711 mountInterface()->call(QDBus::AutoDetect, "resetModel");
3712 }
3713 appendLogText(i18n("Restarting %1 alignment procedure...", activeJob()->getName()));
3715 }
3716 else
3717 {
3718 appendLogText(i18n("Warning: job '%1' alignment procedure failed, marking aborted.", activeJob()->getName()));
3719 activeJob()->setState(SCHEDJOB_ABORTED);
3720
3721 findNextJob();
3722 }
3723 }
3724 }
3725}
3726
3727void SchedulerProcess::setGuideStatus(GuideState status)
3728{
3729 if (moduleState()->schedulerState() == SCHEDULER_PAUSED || activeJob() == nullptr)
3730 return;
3731
3732 qCDebug(KSTARS_EKOS_SCHEDULER) << "Guide State" << Ekos::getGuideStatusString(status);
3733
3734 /* If current job is scheduled and has not started yet, wait */
3735 if (SCHEDJOB_SCHEDULED == activeJob()->getState())
3736 {
3737 QDateTime const now = SchedulerModuleState::getLocalTime();
3738 if (now < activeJob()->getStartupTime())
3739 return;
3740 }
3741
3742 if (activeJob()->getStage() == SCHEDSTAGE_GUIDING)
3743 {
3744 qCDebug(KSTARS_EKOS_SCHEDULER) << "Calibration & Guide stage...";
3745
3746 // If calibration stage complete?
3747 if (status == Ekos::GUIDE_GUIDING)
3748 {
3749 appendLogText(i18n("Job '%1' guiding is in progress.", activeJob()->getName()));
3750 moduleState()->resetGuideFailureCount();
3751 // if guiding recovered while we are waiting, abort the restart
3752 moduleState()->cancelGuidingTimer();
3753
3754 moduleState()->updateJobStage(SCHEDSTAGE_GUIDING_COMPLETE);
3755 getNextAction();
3756 }
3757 else if (status == Ekos::GUIDE_CALIBRATION_ERROR ||
3758 status == Ekos::GUIDE_ABORTED)
3759 {
3760 if (status == Ekos::GUIDE_ABORTED)
3761 appendLogText(i18n("Warning: job '%1' guiding failed.", activeJob()->getName()));
3762 else
3763 appendLogText(i18n("Warning: job '%1' calibration failed.", activeJob()->getName()));
3764
3765 // if the timer for restarting the guiding is already running, we do nothing and
3766 // wait for the action triggered by the timer. This way we avoid that a small guiding problem
3767 // abort the scheduler job
3768
3769 if (moduleState()->isGuidingTimerActive())
3770 return;
3771
3772 if (moduleState()->increaseGuideFailureCount())
3773 {
3774 if (status == Ekos::GUIDE_CALIBRATION_ERROR &&
3775 Options::realignAfterCalibrationFailure())
3776 {
3777 appendLogText(i18n("Restarting %1 alignment procedure...", activeJob()->getName()));
3779 }
3780 else
3781 {
3782 appendLogText(i18n("Job '%1' is guiding, guiding procedure will be restarted in %2 seconds.", activeJob()->getName(),
3783 (RESTART_GUIDING_DELAY_MS * moduleState()->guideFailureCount()) / 1000));
3784 moduleState()->startGuidingTimer(RESTART_GUIDING_DELAY_MS * moduleState()->guideFailureCount());
3785 }
3786 }
3787 else
3788 {
3789 appendLogText(i18n("Warning: job '%1' guiding procedure failed, marking aborted.", activeJob()->getName()));
3790 activeJob()->setState(SCHEDJOB_ABORTED);
3791
3792 findNextJob();
3793 }
3794 }
3795 }
3796}
3797
3798void SchedulerProcess::setCaptureStatus(CaptureState status, const QString &trainname)
3799{
3800 if (activeJob() == nullptr || !m_activeJobs.contains(trainname))
3801 return;
3802
3803 qCDebug(KSTARS_EKOS_SCHEDULER) << "Capture State" << Ekos::getCaptureStatusString(status) << "train =" << trainname;
3804
3805 SchedulerJob *job = m_activeJobs[trainname];
3806
3807 /* If current job is scheduled and has not started yet, wait */
3808 if (SCHEDJOB_SCHEDULED == job->getState())
3809 {
3810 QDateTime const now = SchedulerModuleState::getLocalTime();
3811 if (now < job->getStartupTime())
3812 return;
3813 }
3814
3815 if (job->getStage() == SCHEDSTAGE_CAPTURING)
3816 {
3817 if (status == Ekos::CAPTURE_PROGRESS && (job->getStepPipeline() & SchedulerJob::USE_ALIGN))
3818 {
3819 // alignment is only relevant for the lead job
3820 if (job->isLead())
3821 {
3822 // JM 2021.09.20
3823 // Re-set target coords in align module
3824 // When capture starts, alignment module automatically rests target coords to mount coords.
3825 // However, we want to keep align module target synced with the scheduler target and not
3826 // the mount coord
3827 const SkyPoint targetCoords = activeJob()->getTargetCoords();
3828 QList<QVariant> targetArgs;
3829 targetArgs << targetCoords.ra0().Hours() << targetCoords.dec0().Degrees();
3830 alignInterface()->callWithArgumentList(QDBus::AutoDetect, "setTargetCoords", targetArgs);
3831 }
3832 }
3833 else if (status == Ekos::CAPTURE_ABORTED)
3834 {
3835 appendLogText(i18n("[%2] Warning: job '%1' failed to capture target.", job->getName(), trainname));
3836
3837 if (job->isLead())
3838 {
3839 // if capturing on the lead has failed for less than MAX_FAILURE_ATTEMPTS times
3840 if (moduleState()->increaseCaptureFailureCount())
3841 {
3842 job->setState(SCHEDJOB_ABORTED);
3843
3844 // If capture failed due to guiding error, let's try to restart that
3845 if (activeJob()->getStepPipeline() & SchedulerJob::USE_GUIDE)
3846 {
3847 // Check if it is guiding related.
3848 Ekos::GuideState gStatus = getGuidingStatus();
3849 if (gStatus == Ekos::GUIDE_ABORTED ||
3850 gStatus == Ekos::GUIDE_CALIBRATION_ERROR ||
3851 gStatus == GUIDE_DITHERING_ERROR)
3852 {
3853 appendLogText(i18n("[%2] Job '%1' is capturing, is restarting its guiding procedure (attempt #%3 of %4).",
3854 activeJob()->getName(), trainname,
3855 moduleState()->captureFailureCount(), moduleState()->maxFailureAttempts()));
3856 startGuiding(true);
3857 return;
3858 }
3859 }
3860
3861 /* FIXME: it's not clear whether it is actually possible to continue capturing when capture fails this way */
3862 appendLogText(i18n("Warning: job '%1' failed its capture procedure, restarting capture.", activeJob()->getName()));
3863 startCapture(true);
3864 }
3865 else
3866 {
3867 /* FIXME: it's not clear whether this situation can be recovered at all */
3868 appendLogText(i18n("[%2] Warning: job '%1' failed its capture procedure, marking aborted.", job->getName(), trainname));
3869 activeJob()->setState(SCHEDJOB_ABORTED);
3870 // abort follower capture jobs as well
3871 stopCapturing("", true);
3872
3873 findNextJob();
3874 }
3875 }
3876 else
3877 {
3878 if (job->leadJob()->getStage() == SCHEDSTAGE_CAPTURING)
3879 {
3880 // recover only when the lead job is capturing.
3881 appendLogText(i18n("[%2] Follower job '%1' has been aborted, is restarting.", job->getName(), trainname));
3882 job->setState(SCHEDJOB_ABORTED);
3883 startSingleCapture(job, true);
3884 }
3885 else
3886 {
3887 appendLogText(i18n("[%2] Follower job '%1' has been aborted.", job->getName(), trainname));
3888 job->setState(SCHEDJOB_ABORTED);
3889 }
3890 }
3891 }
3892 else if (status == Ekos::CAPTURE_COMPLETE)
3893 {
3894 KSNotification::event(QLatin1String("EkosScheduledImagingFinished"),
3895 i18n("[%2] Job (%1) - Capture finished", job->getName(), trainname), KSNotification::Scheduler);
3896
3897 if (job->isLead())
3898 {
3899 activeJob()->setState(SCHEDJOB_COMPLETE);
3900 findNextJob();
3901 }
3902 else
3903 {
3904 // Re-evaluate all jobs, without selecting a new job
3905 evaluateJobs(true);
3906
3907 if (job->getCompletionCondition() == FINISH_LOOP ||
3908 (job->getCompletionCondition() == FINISH_REPEAT && job->getRepeatsRemaining() > 0))
3909 {
3910 job->setState(SCHEDJOB_BUSY);
3911 startSingleCapture(job, false);
3912 }
3913 else
3914 {
3915 // follower job is complete
3916 job->setState(SCHEDJOB_COMPLETE);
3917 job->setStage(SCHEDSTAGE_COMPLETE);
3918 }
3919 }
3920 }
3921 else if (status == Ekos::CAPTURE_IMAGE_RECEIVED)
3922 {
3923 // We received a new image, but we don't know precisely where so update the storage map and re-estimate job times.
3924 // FIXME: rework this once capture storage is reworked
3925 if (Options::rememberJobProgress())
3926 {
3928
3929 for (const auto &job : moduleState()->jobs())
3930 SchedulerUtils::estimateJobTime(job, moduleState()->capturedFramesCount(), this);
3931 }
3932 // Else if we don't remember the progress on jobs, increase the completed count for the current job only - no cross-checks
3933 else
3934 activeJob()->setCompletedCount(job->getCompletedCount() + 1);
3935
3936 // reset the failure counter only if the image comes from the lead job
3937 if (job->isLead())
3938 moduleState()->resetCaptureFailureCount();
3939 }
3940 }
3941}
3942
3943void SchedulerProcess::setFocusStatus(FocusState status, const QString &trainname)
3944{
3945 if (moduleState()->schedulerState() == SCHEDULER_PAUSED || activeJob() == nullptr)
3946 return;
3947
3948 qCDebug(KSTARS_EKOS_SCHEDULER) << "Train " << trainname << "focus state" << Ekos::getFocusStatusString(status);
3949
3950 // ensure that there is an active job with the given train name
3951 if (m_activeJobs.contains(trainname) == false)
3952 return;
3953
3954 SchedulerJob *currentJob = m_activeJobs[trainname];
3955
3956 /* If current job is scheduled and has not started yet, wait */
3957 if (SCHEDJOB_SCHEDULED == activeJob()->getState())
3958 {
3959 QDateTime const now = SchedulerModuleState::getLocalTime();
3960 if (now < activeJob()->getStartupTime())
3961 return;
3962 }
3963
3964 if (activeJob()->getStage() == SCHEDSTAGE_FOCUSING)
3965 {
3966 // Is focus complete?
3967 if (status == Ekos::FOCUS_COMPLETE)
3968 {
3969 appendLogText(i18n("Job '%1' focusing train '%2' is complete.", currentJob->getName(), trainname));
3970
3971 moduleState()->setAutofocusCompleted(trainname, true);
3972
3973 if (moduleState()->autofocusCompleted())
3974 {
3975 moduleState()->updateJobStage(SCHEDSTAGE_FOCUS_COMPLETE);
3976 getNextAction();
3977 }
3978 }
3979 else if (status == Ekos::FOCUS_FAILED || status == Ekos::FOCUS_ABORTED)
3980 {
3981 appendLogText(i18n("Warning: job '%1' focusing failed.", currentJob->getName()));
3982
3983 if (moduleState()->increaseFocusFailureCount(trainname))
3984 {
3985 appendLogText(i18n("Job '%1' for train '%2' is restarting its focusing procedure.", currentJob->getName(), trainname));
3986 startFocusing(currentJob);
3987 }
3988 else
3989 {
3990 appendLogText(i18n("Warning: job '%1' on train '%2' focusing procedure failed, marking aborted.", activeJob()->getName(),
3991 trainname));
3992 activeJob()->setState(SCHEDJOB_ABORTED);
3993
3994 findNextJob();
3995 }
3996 }
3997 }
3998}
3999
4000void SchedulerProcess::setMountStatus(ISD::Mount::Status status)
4001{
4002 if (moduleState()->schedulerState() == SCHEDULER_PAUSED || activeJob() == nullptr)
4003 return;
4004
4005 qCDebug(KSTARS_EKOS_SCHEDULER) << "Mount State changed to" << status;
4006
4007 /* If current job is scheduled and has not started yet, wait */
4008 if (SCHEDJOB_SCHEDULED == activeJob()->getState())
4009 if (static_cast<QDateTime const>(SchedulerModuleState::getLocalTime()) < activeJob()->getStartupTime())
4010 return;
4011
4012 switch (activeJob()->getStage())
4013 {
4014 case SCHEDSTAGE_SLEWING:
4015 {
4016 qCDebug(KSTARS_EKOS_SCHEDULER) << "Slewing stage...";
4017
4018 if (status == ISD::Mount::MOUNT_TRACKING)
4019 {
4020 appendLogText(i18n("Job '%1' slew is complete.", activeJob()->getName()));
4021 moduleState()->updateJobStage(SCHEDSTAGE_SLEW_COMPLETE);
4022 /* getNextAction is deferred to checkJobStage for dome support */
4023 }
4024 else if (status == ISD::Mount::MOUNT_ERROR)
4025 {
4026 appendLogText(i18n("Warning: job '%1' slew failed, marking terminated due to errors.", activeJob()->getName()));
4027 activeJob()->setState(SCHEDJOB_ERROR);
4028 findNextJob();
4029 }
4030 else if (status == ISD::Mount::MOUNT_IDLE)
4031 {
4032 appendLogText(i18n("Warning: job '%1' found not slewing, restarting.", activeJob()->getName()));
4033 moduleState()->updateJobStage(SCHEDSTAGE_IDLE);
4034 getNextAction();
4035 }
4036 }
4037 break;
4038
4039 case SCHEDSTAGE_RESLEWING:
4040 {
4041 qCDebug(KSTARS_EKOS_SCHEDULER) << "Re-slewing stage...";
4042
4043 if (status == ISD::Mount::MOUNT_TRACKING)
4044 {
4045 appendLogText(i18n("Job '%1' repositioning is complete.", activeJob()->getName()));
4046 moduleState()->updateJobStage(SCHEDSTAGE_RESLEWING_COMPLETE);
4047 /* getNextAction is deferred to checkJobStage for dome support */
4048 }
4049 else if (status == ISD::Mount::MOUNT_ERROR)
4050 {
4051 appendLogText(i18n("Warning: job '%1' repositioning failed, marking terminated due to errors.", activeJob()->getName()));
4052 activeJob()->setState(SCHEDJOB_ERROR);
4053 findNextJob();
4054 }
4055 else if (status == ISD::Mount::MOUNT_IDLE)
4056 {
4057 appendLogText(i18n("Warning: job '%1' found not repositioning, restarting.", activeJob()->getName()));
4058 moduleState()->updateJobStage(SCHEDSTAGE_IDLE);
4059 getNextAction();
4060 }
4061 }
4062 break;
4063
4064 // In case we are either focusing, aligning, or guiding
4065 // and mount is parked, we need to abort.
4066 case SCHEDSTAGE_FOCUSING:
4067 case SCHEDSTAGE_ALIGNING:
4068 case SCHEDSTAGE_GUIDING:
4069 if (status == ISD::Mount::MOUNT_PARKED)
4070 {
4071 appendLogText(i18n("Warning: Mount is parked while scheduler for job '%1' is active. Aborting.", activeJob()->getName()));
4072 stop();
4073 }
4074 break;
4075
4076 // For capturing, it's more complicated because a mount can be parked by a calibration job.
4077 // so we only abort if light frames are required AND no calibration park mount is required
4078 case SCHEDSTAGE_CAPTURING:
4079 if (status == ISD::Mount::MOUNT_PARKED && activeJob() && activeJob()->getLightFramesRequired()
4080 && activeJob()->getCalibrationMountPark() == false)
4081 {
4082 appendLogText(i18n("Warning: Mount is parked while scheduler for job '%1' is active. Aborting.", activeJob()->getName()));
4083 stop();
4084 }
4085 break;
4086
4087 default:
4088 break;
4089 }
4090}
4091
4092void SchedulerProcess::setWeatherStatus(ISD::Weather::Status status)
4093{
4094 ISD::Weather::Status newStatus = status;
4095
4096 if (newStatus == moduleState()->weatherStatus())
4097 return;
4098
4099 ISD::Weather::Status oldStatus = moduleState()->weatherStatus();
4100 moduleState()->setWeatherStatus(newStatus);
4101
4102 // If we're in a preemptive shutdown due to weather and weather improves, wake up
4103 if (moduleState()->preemptiveShutdown() &&
4104 oldStatus != ISD::Weather::WEATHER_OK &&
4105 newStatus == ISD::Weather::WEATHER_OK)
4106 {
4107 appendLogText(i18n("Weather has improved. Resuming operations."));
4108 moduleState()->setWeatherGracePeriodActive(false);
4110 }
4111 // Check if the weather enforcement is on and weather is critical
4112 else if (activeJob() && Options::schedulerWeather() && (newStatus == ISD::Weather::WEATHER_ALERT &&
4113 moduleState()->schedulerState() != Ekos::SCHEDULER_IDLE &&
4114 moduleState()->schedulerState() != Ekos::SCHEDULER_SHUTDOWN))
4115 {
4116 appendLogText(i18n("Weather alert detected. Starting soft shutdown procedure."));
4117
4118 // Abort current job but keep it in the queue
4119 if (activeJob())
4120 {
4121 activeJob()->setState(SCHEDJOB_ABORTED);
4123 }
4124
4125 // Park mount, dome, etc. but don't exit completely
4126 // Set up preemptive shutdown with the grace period window to wait for weather to improve
4127 QDateTime wakeupTime = SchedulerModuleState::getLocalTime().addSecs(Options::schedulerWeatherGracePeriod() * 60);
4128 moduleState()->setWeatherGracePeriodActive(true);
4129 moduleState()->enablePreemptiveShutdown(wakeupTime);
4130
4131 appendLogText(i18n("Observatory scheduled for soft shutdown until weather improves or until %1.",
4132 wakeupTime.toString()));
4133
4134 // Initiate shutdown procedure
4135 emit schedulerSleeping(true, true);
4137 }
4138
4139 // forward weather state
4140 emit newWeatherStatus(status);
4141}
4142
4143void SchedulerProcess::checkStartupProcedure()
4144{
4145 if (checkStartupState() == false)
4146 QTimer::singleShot(1000, this, SLOT(checkStartupProcedure()));
4147}
4148
4149void SchedulerProcess::checkShutdownProcedure()
4150{
4151 if (checkShutdownState())
4152 {
4153 // shutdown completed
4154 if (moduleState()->shutdownState() == SHUTDOWN_COMPLETE)
4155 {
4156 appendLogText(i18n("Manual shutdown procedure completed successfully."));
4157 // Stop Ekos
4158 if (Options::stopEkosAfterShutdown())
4159 stopEkos();
4160 }
4161 else if (moduleState()->shutdownState() == SHUTDOWN_ERROR)
4162 appendLogText(i18n("Manual shutdown procedure terminated due to errors."));
4163
4164 moduleState()->setShutdownState(SHUTDOWN_IDLE);
4165 }
4166 else
4167 // If shutdown procedure is not finished yet, let's check again in 1 second.
4168 QTimer::singleShot(1000, this, SLOT(checkShutdownProcedure()));
4169
4170}
4171
4172
4173void SchedulerProcess::parkCap()
4174{
4175 if (capInterface().isNull())
4176 {
4177 appendLogText(i18n("Dust cover park requested but no dust covers detected."));
4178 moduleState()->setShutdownState(SHUTDOWN_ERROR);
4179 return;
4180 }
4181
4182 QVariant parkingStatus = capInterface()->property("parkStatus");
4183 qCDebug(KSTARS_EKOS_SCHEDULER) << "Cap parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
4184
4185 if (parkingStatus.isValid() == false)
4186 {
4187 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: cap parkStatus request received DBUS error: %1").arg(
4188 mountInterface()->lastError().type());
4189 if (!manageConnectionLoss())
4190 parkingStatus = ISD::PARK_ERROR;
4191 }
4192
4193 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
4194
4195 if (status != ISD::PARK_PARKED)
4196 {
4197 moduleState()->setShutdownState(SHUTDOWN_PARKING_CAP);
4198 qCDebug(KSTARS_EKOS_SCHEDULER) << "Parking dust cap...";
4199 capInterface()->call(QDBus::AutoDetect, "park");
4200 appendLogText(i18n("Parking Cap..."));
4201
4202 moduleState()->startCurrentOperationTimer();
4203 }
4204 else
4205 {
4206 appendLogText(i18n("Cap already parked."));
4207 moduleState()->setShutdownState(SHUTDOWN_PARK_MOUNT);
4208 }
4209}
4210
4211void SchedulerProcess::unParkCap()
4212{
4213 if (capInterface().isNull())
4214 {
4215 appendLogText(i18n("Dust cover unpark requested but no dust covers detected."));
4216 moduleState()->setStartupState(STARTUP_ERROR);
4217 return;
4218 }
4219
4220 QVariant parkingStatus = capInterface()->property("parkStatus");
4221 qCDebug(KSTARS_EKOS_SCHEDULER) << "Cap parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
4222
4223 if (parkingStatus.isValid() == false)
4224 {
4225 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: cap parkStatus request received DBUS error: %1").arg(
4226 mountInterface()->lastError().type());
4227 if (!manageConnectionLoss())
4228 parkingStatus = ISD::PARK_ERROR;
4229 }
4230
4231 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
4232
4233 if (status != ISD::PARK_UNPARKED)
4234 {
4235 moduleState()->setStartupState(STARTUP_UNPARKING_CAP);
4236 capInterface()->call(QDBus::AutoDetect, "unpark");
4237 appendLogText(i18n("Unparking cap..."));
4238
4239 moduleState()->startCurrentOperationTimer();
4240 }
4241 else
4242 {
4243 appendLogText(i18n("Cap already unparked."));
4244 moduleState()->setStartupState(STARTUP_COMPLETE);
4245 }
4246}
4247
4248void SchedulerProcess::parkMount()
4249{
4250 if (mountInterface().isNull())
4251 {
4252 appendLogText(i18n("Mount park requested but no mounts detected."));
4253 moduleState()->setShutdownState(SHUTDOWN_ERROR);
4254 return;
4255 }
4256
4257 QVariant parkingStatus = mountInterface()->property("parkStatus");
4258 qCDebug(KSTARS_EKOS_SCHEDULER) << "Mount parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
4259
4260 if (parkingStatus.isValid() == false)
4261 {
4262 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: mount parkStatus request received DBUS error: %1").arg(
4263 mountInterface()->lastError().type());
4264 if (!manageConnectionLoss())
4265 moduleState()->setParkWaitState(PARKWAIT_ERROR);
4266 }
4267
4268 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
4269
4270 switch (status)
4271 {
4272 case ISD::PARK_PARKED:
4273 if (moduleState()->shutdownState() == SHUTDOWN_PARK_MOUNT)
4274 moduleState()->setShutdownState(SHUTDOWN_PARK_DOME);
4275
4276 moduleState()->setParkWaitState(PARKWAIT_PARKED);
4277 appendLogText(i18n("Mount already parked."));
4278 break;
4279
4280 case ISD::PARK_UNPARKING:
4281 //case Mount::UNPARKING_BUSY:
4282 /* FIXME: Handle the situation where we request parking but an unparking procedure is running. */
4283
4284 // case Mount::PARKING_IDLE:
4285 // case Mount::UNPARKING_OK:
4286 case ISD::PARK_ERROR:
4287 case ISD::PARK_UNKNOWN:
4288 case ISD::PARK_UNPARKED:
4289 {
4290 qCDebug(KSTARS_EKOS_SCHEDULER) << "Parking mount...";
4291 QDBusReply<bool> const mountReply = mountInterface()->call(QDBus::AutoDetect, "park");
4292
4293 if (mountReply.error().type() != QDBusError::NoError)
4294 {
4295 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: mount park request received DBUS error: %1").arg(
4296 QDBusError::errorString(mountReply.error().type()));
4297 if (!manageConnectionLoss())
4298 moduleState()->setParkWaitState(PARKWAIT_ERROR);
4299 }
4300 else moduleState()->startCurrentOperationTimer();
4301 }
4302
4303 // Fall through
4304 case ISD::PARK_PARKING:
4305 //case Mount::PARKING_BUSY:
4306 if (moduleState()->shutdownState() == SHUTDOWN_PARK_MOUNT)
4307 moduleState()->setShutdownState(SHUTDOWN_PARKING_MOUNT);
4308
4309 moduleState()->setParkWaitState(PARKWAIT_PARKING);
4310 appendLogText(i18n("Parking mount in progress..."));
4311 break;
4312
4313 // All cases covered above so no need for default
4314 //default:
4315 // qCWarning(KSTARS_EKOS_SCHEDULER) << QString("BUG: Parking state %1 not managed while parking mount.").arg(mountReply.value());
4316 }
4317
4318}
4319
4320void SchedulerProcess::unParkMount()
4321{
4322 if (mountInterface().isNull())
4323 {
4324 appendLogText(i18n("Mount unpark requested but no mounts detected."));
4325 moduleState()->setStartupState(STARTUP_ERROR);
4326 return;
4327 }
4328
4329 QVariant parkingStatus = mountInterface()->property("parkStatus");
4330 qCDebug(KSTARS_EKOS_SCHEDULER) << "Mount parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
4331
4332 if (parkingStatus.isValid() == false)
4333 {
4334 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: mount parkStatus request received DBUS error: %1").arg(
4335 mountInterface()->lastError().type());
4336 if (!manageConnectionLoss())
4337 moduleState()->setParkWaitState(PARKWAIT_ERROR);
4338 }
4339
4340 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
4341
4342 switch (status)
4343 {
4344 //case Mount::UNPARKING_OK:
4345 case ISD::PARK_UNPARKED:
4346 if (moduleState()->startupState() == STARTUP_UNPARK_MOUNT)
4347 moduleState()->setStartupState(STARTUP_UNPARK_CAP);
4348
4349 moduleState()->setParkWaitState(PARKWAIT_UNPARKED);
4350 appendLogText(i18n("Mount already unparked."));
4351 break;
4352
4353 //case Mount::PARKING_BUSY:
4354 case ISD::PARK_PARKING:
4355 /* FIXME: Handle the situation where we request unparking but a parking procedure is running. */
4356
4357 // case Mount::PARKING_IDLE:
4358 // case Mount::PARKING_OK:
4359 // case Mount::PARKING_ERROR:
4360 case ISD::PARK_ERROR:
4361 case ISD::PARK_UNKNOWN:
4362 case ISD::PARK_PARKED:
4363 {
4364 QDBusReply<bool> const mountReply = mountInterface()->call(QDBus::AutoDetect, "unpark");
4365
4366 if (mountReply.error().type() != QDBusError::NoError)
4367 {
4368 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: mount unpark request received DBUS error: %1").arg(
4369 QDBusError::errorString(mountReply.error().type()));
4370 if (!manageConnectionLoss())
4371 moduleState()->setParkWaitState(PARKWAIT_ERROR);
4372 }
4373 else moduleState()->startCurrentOperationTimer();
4374 }
4375
4376 // Fall through
4377 //case Mount::UNPARKING_BUSY:
4378 case ISD::PARK_UNPARKING:
4379 if (moduleState()->startupState() == STARTUP_UNPARK_MOUNT)
4380 moduleState()->setStartupState(STARTUP_UNPARKING_MOUNT);
4381
4382 moduleState()->setParkWaitState(PARKWAIT_UNPARKING);
4383 qCInfo(KSTARS_EKOS_SCHEDULER) << "Unparking mount in progress...";
4384 break;
4385
4386 // All cases covered above
4387 //default:
4388 // qCWarning(KSTARS_EKOS_SCHEDULER) << QString("BUG: Parking state %1 not managed while unparking mount.").arg(mountReply.value());
4389 }
4390}
4391
4393{
4394 QVariant var = mountInterface()->property("equatorialCoords");
4395
4396 // result must be two double values
4397 if (var.isValid() == false || var.canConvert<QList<double>>() == false)
4398 {
4399 qCCritical(KSTARS_EKOS_SCHEDULER) << "Warning: reading equatorial coordinates received an unexpected value:" << var;
4400 return SkyPoint();
4401 }
4402 // check if we received exactly two values
4403 const QList<double> coords = var.value<QList<double>>();
4404 if (coords.size() != 2)
4405 {
4406 qCCritical(KSTARS_EKOS_SCHEDULER) << "Warning: reading equatorial coordinates received" << coords.size() <<
4407 "instead of 2 values: " << coords;
4408 return SkyPoint();
4409 }
4410
4411 return SkyPoint(coords[0], coords[1]);
4412}
4413
4415{
4416 if (mountInterface().isNull())
4417 return false;
4418 // First check if the mount is able to park - if it isn't, getParkingStatus will reply PARKING_ERROR and status won't be clear
4419 //QDBusReply<bool> const parkCapableReply = mountInterface->call(QDBus::AutoDetect, "canPark");
4420 QVariant canPark = mountInterface()->property("canPark");
4421 qCDebug(KSTARS_EKOS_SCHEDULER) << "Mount can park:" << (!canPark.isValid() ? "invalid" : (canPark.toBool() ? "T" : "F"));
4422
4423 if (canPark.isValid() == false)
4424 {
4425 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: mount canPark request received DBUS error: %1").arg(
4426 mountInterface()->lastError().type());
4428 return false;
4429 }
4430 else if (canPark.toBool() == true)
4431 {
4432 // If it is able to park, obtain its current status
4433 //QDBusReply<int> const mountReply = mountInterface->call(QDBus::AutoDetect, "getParkingStatus");
4434 QVariant parkingStatus = mountInterface()->property("parkStatus");
4435 qCDebug(KSTARS_EKOS_SCHEDULER) << "Mount parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
4436
4437 if (parkingStatus.isValid() == false)
4438 {
4439 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: mount parking status property is invalid %1.").arg(
4440 mountInterface()->lastError().type());
4442 return false;
4443 }
4444
4445 // Deduce state of mount - see getParkingStatus in mount.cpp
4446 switch (static_cast<ISD::ParkStatus>(parkingStatus.toInt()))
4447 {
4448 // case Mount::PARKING_OK: // INDI switch ok, and parked
4449 // case Mount::PARKING_IDLE: // INDI switch idle, and parked
4450 case ISD::PARK_PARKED:
4451 return true;
4452
4453 // case Mount::UNPARKING_OK: // INDI switch idle or ok, and unparked
4454 // case Mount::PARKING_ERROR: // INDI switch error
4455 // case Mount::PARKING_BUSY: // INDI switch busy
4456 // case Mount::UNPARKING_BUSY: // INDI switch busy
4457 default:
4458 return false;
4459 }
4460 }
4461 // If the mount is not able to park, consider it not parked
4462 return false;
4463}
4464
4465void SchedulerProcess::parkDome()
4466{
4467 // If there is no dome, mark error
4468 if (domeInterface().isNull())
4469 {
4470 appendLogText(i18n("Dome park requested but no domes detected."));
4471 moduleState()->setShutdownState(SHUTDOWN_ERROR);
4472 return;
4473 }
4474
4475 //QDBusReply<int> const domeReply = domeInterface->call(QDBus::AutoDetect, "getParkingStatus");
4476 //Dome::ParkingStatus status = static_cast<Dome::ParkingStatus>(domeReply.value());
4477 QVariant parkingStatus = domeInterface()->property("parkStatus");
4478 qCDebug(KSTARS_EKOS_SCHEDULER) << "Dome parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
4479
4480 if (parkingStatus.isValid() == false)
4481 {
4482 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: dome parkStatus request received DBUS error: %1").arg(
4483 mountInterface()->lastError().type());
4484 if (!manageConnectionLoss())
4485 parkingStatus = ISD::PARK_ERROR;
4486 }
4487
4488 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
4489 if (status != ISD::PARK_PARKED)
4490 {
4491 moduleState()->setShutdownState(SHUTDOWN_PARKING_DOME);
4492 domeInterface()->call(QDBus::AutoDetect, "park");
4493 appendLogText(i18n("Parking dome..."));
4494
4495 moduleState()->startCurrentOperationTimer();
4496 }
4497 else
4498 {
4499 appendLogText(i18n("Dome already parked."));
4500 moduleState()->setShutdownState(SHUTDOWN_SCRIPT);
4501 }
4502}
4503
4504void SchedulerProcess::unParkDome()
4505{
4506 // If there is no dome, mark error
4507 if (domeInterface().isNull())
4508 {
4509 appendLogText(i18n("Dome unpark requested but no domes detected."));
4510 moduleState()->setStartupState(STARTUP_ERROR);
4511 return;
4512 }
4513
4514 QVariant parkingStatus = domeInterface()->property("parkStatus");
4515 qCDebug(KSTARS_EKOS_SCHEDULER) << "Dome parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
4516
4517 if (parkingStatus.isValid() == false)
4518 {
4519 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: dome parkStatus request received DBUS error: %1").arg(
4520 mountInterface()->lastError().type());
4521 if (!manageConnectionLoss())
4522 parkingStatus = ISD::PARK_ERROR;
4523 }
4524
4525 if (static_cast<ISD::ParkStatus>(parkingStatus.toInt()) != ISD::PARK_UNPARKED)
4526 {
4527 moduleState()->setStartupState(STARTUP_UNPARKING_DOME);
4528 domeInterface()->call(QDBus::AutoDetect, "unpark");
4529 appendLogText(i18n("Unparking dome..."));
4530
4531 moduleState()->startCurrentOperationTimer();
4532 }
4533 else
4534 {
4535 appendLogText(i18n("Dome already unparked."));
4536 moduleState()->setStartupState(STARTUP_UNPARK_MOUNT);
4537 }
4538}
4539
4541{
4542 QVariant guideStatus = guideInterface()->property("status");
4543 Ekos::GuideState gStatus = static_cast<Ekos::GuideState>(guideStatus.toInt());
4544
4545 return gStatus;
4546}
4547
4548const QString &SchedulerProcess::profile() const
4549{
4550 return moduleState()->currentProfile();
4551}
4552
4553void SchedulerProcess::setProfile(const QString &newProfile)
4554{
4555 moduleState()->setCurrentProfile(newProfile);
4556}
4557
4558QString SchedulerProcess::currentJobName()
4559{
4560 auto job = moduleState()->activeJob();
4561 return ( job != nullptr ? job->getName() : QString() );
4562}
4563
4564QString SchedulerProcess::currentJobJson()
4565{
4566 auto job = moduleState()->activeJob();
4567 if( job != nullptr )
4568 {
4569 return QString( QJsonDocument( job->toJson() ).toJson() );
4570 }
4571 else
4572 {
4573 return QString();
4574 }
4575}
4576
4577QString SchedulerProcess::jsonJobs()
4578{
4579 return QString( QJsonDocument( moduleState()->getJSONJobs() ).toJson() );
4580}
4581
4582QStringList SchedulerProcess::logText()
4583{
4584 return moduleState()->logText();
4585}
4586
4588{
4589 if (domeInterface().isNull())
4590 return false;
4591
4592 QVariant parkingStatus = domeInterface()->property("parkStatus");
4593 qCDebug(KSTARS_EKOS_SCHEDULER) << "Dome parking status" << (!parkingStatus.isValid() ? -1 : parkingStatus.toInt());
4594
4595 if (parkingStatus.isValid() == false)
4596 {
4597 qCCritical(KSTARS_EKOS_SCHEDULER) << QString("Warning: dome parkStatus request received DBUS error: %1").arg(
4598 mountInterface()->lastError().type());
4599 if (!manageConnectionLoss())
4600 parkingStatus = ISD::PARK_ERROR;
4601 }
4602
4603 ISD::ParkStatus status = static_cast<ISD::ParkStatus>(parkingStatus.toInt());
4604
4605 return status == ISD::PARK_PARKED;
4606}
4607
4608void SchedulerProcess::simClockScaleChanged(float newScale)
4609{
4610 if (moduleState()->currentlySleeping())
4611 {
4612 QTime const remainingTimeMs = QTime::fromMSecsSinceStartOfDay(std::lround(static_cast<double>
4613 (moduleState()->iterationTimer().remainingTime())
4614 * KStarsData::Instance()->clock()->scale()
4615 / newScale));
4616 appendLogText(i18n("Sleeping for %1 on simulation clock update until next observation job is ready...",
4617 remainingTimeMs.toString("hh:mm:ss")));
4618 moduleState()->iterationTimer().stop();
4619 moduleState()->iterationTimer().start(remainingTimeMs.msecsSinceStartOfDay());
4620 }
4621}
4622
4623void SchedulerProcess::simClockTimeChanged()
4624{
4625 moduleState()->calculateDawnDusk();
4626
4627 // If the Scheduler is not running, reset all jobs and re-evaluate from a new current start point
4628 if (SCHEDULER_RUNNING != moduleState()->schedulerState())
4630}
4631
4632void SchedulerProcess::setINDICommunicationStatus(CommunicationStatus status)
4633{
4634 qCDebug(KSTARS_EKOS_SCHEDULER) << "Scheduler INDI status is" << status;
4635
4636 moduleState()->setIndiCommunicationStatus(status);
4637}
4638
4639void SchedulerProcess::setEkosCommunicationStatus(CommunicationStatus status)
4640{
4641 qCDebug(KSTARS_EKOS_SCHEDULER) << "Scheduler Ekos status is" << status;
4642
4643 moduleState()->setEkosCommunicationStatus(status);
4644}
4645
4646
4647
4648void SchedulerProcess::checkInterfaceReady(QDBusInterface * iface)
4649{
4650 if (iface == mountInterface())
4651 {
4652 if (mountInterface()->property("canPark").isValid())
4653 moduleState()->setMountReady(true);
4654 }
4655 else if (iface == capInterface())
4656 {
4657 if (capInterface()->property("canPark").isValid())
4658 moduleState()->setCapReady(true);
4659 }
4660 else if (iface == observatoryInterface())
4661 {
4662 QVariant status = observatoryInterface()->property("status");
4663 if (status.isValid())
4664 setWeatherStatus(static_cast<ISD::Weather::Status>(status.toInt()));
4665 }
4666 else if (iface == weatherInterface())
4667 {
4668 QVariant status = weatherInterface()->property("status");
4669 if (status.isValid())
4670 setWeatherStatus(static_cast<ISD::Weather::Status>(status.toInt()));
4671 }
4672 else if (iface == domeInterface())
4673 {
4674 if (domeInterface()->property("canPark").isValid())
4675 moduleState()->setDomeReady(true);
4676 }
4677 else if (iface == captureInterface())
4678 {
4679 if (captureInterface()->property("coolerControl").isValid())
4680 moduleState()->setCaptureReady(true);
4681 }
4682 // communicate state to UI
4683 emit interfaceReady(iface);
4684}
4685
4686void SchedulerProcess::registerNewModule(const QString &name)
4687{
4688 qCDebug(KSTARS_EKOS_SCHEDULER) << "Registering new Module (" << name << ")";
4689
4690 if (name == "Focus")
4691 {
4692 delete focusInterface();
4693 setFocusInterface(new QDBusInterface(kstarsInterfaceString, focusPathString, focusInterfaceString,
4695 connect(focusInterface(), SIGNAL(newStatus(Ekos::FocusState, const QString)), this,
4696 SLOT(setFocusStatus(Ekos::FocusState, const QString)), Qt::UniqueConnection);
4697 }
4698 else if (name == "Capture")
4699 {
4700 delete captureInterface();
4701 setCaptureInterface(new QDBusInterface(kstarsInterfaceString, capturePathString, captureInterfaceString,
4703
4704 connect(captureInterface(), SIGNAL(ready()), this, SLOT(syncProperties()));
4705 connect(captureInterface(), SIGNAL(newStatus(Ekos::CaptureState, const QString, int)), this,
4706 SLOT(setCaptureStatus(Ekos::CaptureState, const QString)), Qt::UniqueConnection);
4707 connect(captureInterface(), SIGNAL(captureComplete(QVariantMap, const QString)), this, SLOT(checkAlignment(QVariantMap,
4708 const QString)),
4710 checkInterfaceReady(captureInterface());
4711 }
4712 else if (name == "Mount")
4713 {
4714 delete mountInterface();
4715 setMountInterface(new QDBusInterface(kstarsInterfaceString, mountPathString, mountInterfaceString,
4717
4718 connect(mountInterface(), SIGNAL(ready()), this, SLOT(syncProperties()));
4719 connect(mountInterface(), SIGNAL(newStatus(ISD::Mount::Status)), this, SLOT(setMountStatus(ISD::Mount::Status)),
4721
4722 checkInterfaceReady(mountInterface());
4723 }
4724 else if (name == "Align")
4725 {
4726 delete alignInterface();
4727 setAlignInterface(new QDBusInterface(kstarsInterfaceString, alignPathString, alignInterfaceString,
4729 connect(alignInterface(), SIGNAL(newStatus(Ekos::AlignState)), this, SLOT(setAlignStatus(Ekos::AlignState)),
4731 }
4732 else if (name == "Guide")
4733 {
4734 delete guideInterface();
4735 setGuideInterface(new QDBusInterface(kstarsInterfaceString, guidePathString, guideInterfaceString,
4737 connect(guideInterface(), SIGNAL(newStatus(Ekos::GuideState)), this,
4738 SLOT(setGuideStatus(Ekos::GuideState)), Qt::UniqueConnection);
4739 }
4740 else if (name == "Observatory")
4741 {
4742 delete observatoryInterface();
4743 setObservatoryInterface(new QDBusInterface(kstarsInterfaceString, observatoryPathString, observatoryInterfaceString,
4745 connect(observatoryInterface(), SIGNAL(newStatus(ISD::Weather::Status)), this,
4746 SLOT(setWeatherStatus(ISD::Weather::Status)), Qt::UniqueConnection);
4747 checkInterfaceReady(observatoryInterface());
4748 }
4749}
4750
4751void SchedulerProcess::registerNewDevice(const QString &name, int interface)
4752{
4753 Q_UNUSED(name)
4754
4755 if (interface & INDI::BaseDevice::DOME_INTERFACE)
4756 {
4757 QList<QVariant> dbusargs;
4758 dbusargs.append(INDI::BaseDevice::DOME_INTERFACE);
4759 QDBusReply<QStringList> paths = indiInterface()->callWithArgumentList(QDBus::AutoDetect, "getDevicesPaths",
4760 dbusargs);
4761 if (paths.error().type() == QDBusError::NoError && !paths.value().isEmpty())
4762 {
4763 // Select last device in case a restarted caused multiple instances in the tree
4764 setDomePathString(paths.value().last());
4765 delete domeInterface();
4766 setDomeInterface(new QDBusInterface(kstarsInterfaceString, domePathString,
4767 domeInterfaceString,
4769 connect(domeInterface(), SIGNAL(ready()), this, SLOT(syncProperties()));
4770 checkInterfaceReady(domeInterface());
4771 }
4772 }
4773
4774 // if (interface & INDI::BaseDevice::WEATHER_INTERFACE)
4775 // {
4776 // QList<QVariant> dbusargs;
4777 // dbusargs.append(INDI::BaseDevice::WEATHER_INTERFACE);
4778 // QDBusReply<QStringList> paths = indiInterface()->callWithArgumentList(QDBus::AutoDetect, "getDevicesPaths",
4779 // dbusargs);
4780 // if (paths.error().type() == QDBusError::NoError)
4781 // {
4782 // // Select last device in case a restarted caused multiple instances in the tree
4783 // setWeatherPathString(paths.value().last());
4784 // delete weatherInterface();
4785 // setWeatherInterface(new QDBusInterface(kstarsInterfaceString, weatherPathString,
4786 // weatherInterfaceString,
4787 // QDBusConnection::sessionBus(), this));
4788 // connect(weatherInterface(), SIGNAL(ready()), this, SLOT(syncProperties()));
4789 // connect(weatherInterface(), SIGNAL(newStatus(ISD::Weather::Status)), this,
4790 // SLOT(setWeatherStatus(ISD::Weather::Status)));
4791 // checkInterfaceReady(weatherInterface());
4792 // }
4793 // }
4794
4795 if (interface & INDI::BaseDevice::DUSTCAP_INTERFACE)
4796 {
4797 QList<QVariant> dbusargs;
4798 dbusargs.append(INDI::BaseDevice::DUSTCAP_INTERFACE);
4799 QDBusReply<QStringList> paths = indiInterface()->callWithArgumentList(QDBus::AutoDetect, "getDevicesPaths",
4800 dbusargs);
4801 if (paths.error().type() == QDBusError::NoError && !paths.value().isEmpty())
4802 {
4803 // Select last device in case a restarted caused multiple instances in the tree
4804 setDustCapPathString(paths.value().last());
4805 delete capInterface();
4806 setCapInterface(new QDBusInterface(kstarsInterfaceString, dustCapPathString,
4807 dustCapInterfaceString,
4809 connect(capInterface(), SIGNAL(ready()), this, SLOT(syncProperties()));
4810 checkInterfaceReady(capInterface());
4811 }
4812 }
4813}
4814
4815bool SchedulerProcess::createJobSequence(XMLEle * root, const QString &prefix, const QString &outputDir)
4816{
4817 XMLEle *ep = nullptr;
4818 XMLEle *subEP = nullptr;
4819
4820 for (ep = nextXMLEle(root, 1); ep != nullptr; ep = nextXMLEle(root, 0))
4821 {
4822 if (!strcmp(tagXMLEle(ep), "Job"))
4823 {
4824 for (subEP = nextXMLEle(ep, 1); subEP != nullptr; subEP = nextXMLEle(ep, 0))
4825 {
4826 if (!strcmp(tagXMLEle(subEP), "TargetName"))
4827 {
4828 // Set the target name in sequence file, though scheduler will overwrite this later
4829 editXMLEle(subEP, prefix.toLatin1().constData());
4830 }
4831 else if (!strcmp(tagXMLEle(subEP), "FITSDirectory"))
4832 {
4833 editXMLEle(subEP, outputDir.toLatin1().constData());
4834 }
4835 }
4836 }
4837 }
4838
4839 QDir().mkpath(outputDir);
4840
4841 QString filename = QString("%1/%2.esq").arg(outputDir, prefix);
4842 FILE *outputFile = fopen(filename.toLatin1().constData(), "w");
4843
4844 if (outputFile == nullptr)
4845 {
4846 QString message = i18n("Unable to write to file %1", filename);
4847 KSNotification::sorry(message, i18n("Could Not Open File"));
4848 return false;
4849 }
4850
4851 fprintf(outputFile, "<?xml version=\"1.0\" encoding=\"UTF-8\"?>");
4852 prXMLEle(outputFile, root, 0);
4853
4854 fclose(outputFile);
4855
4856 return true;
4857}
4858
4859XMLEle *SchedulerProcess::getSequenceJobRoot(const QString &filename) const
4860{
4861 QFile sFile;
4862 sFile.setFileName(filename);
4863
4864 if (!sFile.open(QIODevice::ReadOnly))
4865 {
4866 KSNotification::sorry(i18n("Unable to open file %1", sFile.fileName()),
4867 i18n("Could Not Open File"));
4868 return nullptr;
4869 }
4870
4871 LilXML *xmlParser = newLilXML();
4872 char errmsg[MAXRBUF];
4873 XMLEle *root = nullptr;
4874 char c;
4875
4876 while (sFile.getChar(&c))
4877 {
4878 root = readXMLEle(xmlParser, c, errmsg);
4879
4880 if (root)
4881 break;
4882 }
4883
4884 delLilXML(xmlParser);
4885 sFile.close();
4886 return root;
4887}
4888
4889void SchedulerProcess::checkProcessExit(int exitCode)
4890{
4891 scriptProcess().disconnect();
4892
4893 if (exitCode == 0)
4894 {
4895 if (moduleState()->startupState() == STARTUP_SCRIPT)
4896 moduleState()->setStartupState(STARTUP_UNPARK_DOME);
4897 else if (moduleState()->shutdownState() == SHUTDOWN_SCRIPT_RUNNING)
4898 moduleState()->setShutdownState(SHUTDOWN_COMPLETE);
4899
4900 return;
4901 }
4902
4903 if (moduleState()->startupState() == STARTUP_SCRIPT)
4904 {
4905 appendLogText(i18n("Startup script failed, aborting..."));
4906 moduleState()->setStartupState(STARTUP_ERROR);
4907 }
4908 else if (moduleState()->shutdownState() == SHUTDOWN_SCRIPT_RUNNING)
4909 {
4910 appendLogText(i18n("Shutdown script failed, aborting..."));
4911 moduleState()->setShutdownState(SHUTDOWN_ERROR);
4912 }
4913
4914}
4915
4916void SchedulerProcess::readProcessOutput()
4917{
4918 appendLogText(scriptProcess().readAllStandardOutput().simplified());
4919}
4920
4921bool SchedulerProcess::canCountCaptures(const SchedulerJob &job)
4922{
4923 QList<QSharedPointer<SequenceJob>> seqjobs;
4924 bool hasAutoFocus = false;
4925 SchedulerJob tempJob = job;
4926 if (SchedulerUtils::loadSequenceQueue(tempJob.getSequenceFile().toLocalFile(), &tempJob, seqjobs, hasAutoFocus,
4927 nullptr) == false)
4928 return false;
4929
4930 for (auto oneSeqJob : seqjobs)
4931 {
4932 if (oneSeqJob->getUploadMode() == ISD::Camera::UPLOAD_REMOTE)
4933 return false;
4934 }
4935 return true;
4936}
4937
4939{
4940 /* Use a temporary map in order to limit the number of file searches */
4941 CapturedFramesMap newFramesCount;
4942
4943 /* FIXME: Capture storage cache is refreshed too often, feature requires rework. */
4944
4945 /* Check if one job is idle or requires evaluation - if so, force refresh */
4946 forced |= std::any_of(moduleState()->jobs().begin(),
4947 moduleState()->jobs().end(), [](SchedulerJob * oneJob) -> bool
4948 {
4949 SchedulerJobStatus const state = oneJob->getState();
4950 return state == SCHEDJOB_IDLE || state == SCHEDJOB_EVALUATION;});
4951
4952 /* If update is forced, clear the frame map */
4953 if (forced)
4954 moduleState()->capturedFramesCount().clear();
4955
4956 /* Enumerate SchedulerJobs to count captures that are already stored */
4957 for (SchedulerJob *oneJob : moduleState()->jobs())
4958 {
4959 // This is like newFramesCount, but reset on every job.
4960 // It is useful for properly calling addProgress().
4961 CapturedFramesMap newJobFramesCount;
4962
4964 bool hasAutoFocus = false;
4965
4966 //oneJob->setLightFramesRequired(false);
4967 /* Look into the sequence requirements, bypass if invalid */
4968 if (SchedulerUtils::loadSequenceQueue(oneJob->getSequenceFile().toLocalFile(), oneJob, seqjobs, hasAutoFocus,
4969 this) == false)
4970 {
4971 appendLogText(i18n("Warning: job '%1' has inaccessible sequence '%2', marking invalid.", oneJob->getName(),
4972 oneJob->getSequenceFile().toLocalFile()));
4973 oneJob->setState(SCHEDJOB_INVALID);
4974 continue;
4975 }
4976
4977 oneJob->clearProgress();
4978 /* Enumerate the SchedulerJob's SequenceJobs to count captures stored for each */
4979 for (auto oneSeqJob : seqjobs)
4980 {
4981 /* Only consider captures stored on client (Ekos) side */
4982 /* FIXME: ask the remote for the file count */
4983 if (oneSeqJob->getUploadMode() == ISD::Camera::UPLOAD_REMOTE)
4984 continue;
4985
4986 /* FIXME: this signature path is incoherent when there is no filter wheel on the setup - bugfix should be elsewhere though */
4987 QString const signature = oneSeqJob->getSignature();
4988
4989 /* If signature was processed during this run, keep it */
4990 if (newFramesCount.constEnd() != newFramesCount.constFind(signature))
4991 {
4992 if (newJobFramesCount.constEnd() == newJobFramesCount.constFind(signature))
4993 {
4994 // Even though we've seen this before, we haven't seen it for this SchedulerJob.
4995 const int count = newFramesCount.constFind(signature).value();
4996 newJobFramesCount[signature] = count;
4997 oneJob->addProgress(count, oneSeqJob);
4998 }
4999 continue;
5000 }
5001 int count = 0;
5002
5003 CapturedFramesMap::const_iterator const earlierRunIterator =
5004 moduleState()->capturedFramesCount().constFind(signature);
5005
5006 if (moduleState()->capturedFramesCount().constEnd() != earlierRunIterator)
5007 // If signature was processed during an earlier run, use the earlier count.
5008 count = earlierRunIterator.value();
5009 else
5010 // else recount captures already stored
5011 count = PlaceholderPath::getCompletedFiles(signature);
5012
5013 newFramesCount[signature] = count;
5014 newJobFramesCount[signature] = count;
5015 oneJob->addProgress(count, oneSeqJob);
5016 }
5017
5018 // determine whether we need to continue capturing, depending on captured frames
5019 SchedulerUtils::updateLightFramesRequired(oneJob, seqjobs, newFramesCount);
5020 }
5021
5022 moduleState()->setCapturedFramesCount(newFramesCount);
5023
5024 {
5025 qCDebug(KSTARS_EKOS_SCHEDULER) << "Frame map summary:";
5026 CapturedFramesMap::const_iterator it = moduleState()->capturedFramesCount().constBegin();
5027 for (; it != moduleState()->capturedFramesCount().constEnd(); it++)
5028 qCDebug(KSTARS_EKOS_SCHEDULER) << " " << it.key() << ':' << it.value();
5029 }
5030}
5031
5032SchedulerJob *SchedulerProcess::activeJob()
5033{
5034 return moduleState()->activeJob();
5035}
5036
5037void SchedulerProcess::printStates(const QString &label)
5038{
5039 qCDebug(KSTARS_EKOS_SCHEDULER) <<
5040 QString("%1 %2 %3%4 %5 %6 %7 %8 %9\n")
5041 .arg(label)
5042 .arg(timerStr(moduleState()->timerState()))
5043 .arg(getSchedulerStatusString(moduleState()->schedulerState()))
5044 .arg((moduleState()->timerState() == RUN_JOBCHECK && activeJob() != nullptr) ?
5045 QString("(%1 %2)").arg(SchedulerJob::jobStatusString(activeJob()->getState()))
5046 .arg(SchedulerJob::jobStageString(activeJob()->getStage())) : "")
5047 .arg(ekosStateString(moduleState()->ekosState()))
5048 .arg(indiStateString(moduleState()->indiState()))
5049 .arg(startupStateString(moduleState()->startupState()))
5050 .arg(shutdownStateString(moduleState()->shutdownState()))
5051 .arg(parkWaitStateString(moduleState()->parkWaitState())).toLatin1().data();
5052 foreach (auto j, moduleState()->jobs())
5053 qCDebug(KSTARS_EKOS_SCHEDULER) << QString("job %1 %2\n").arg(j->getName()).arg(SchedulerJob::jobStatusString(
5054 j->getState())).toLatin1().data();
5055}
5056
5057} // Ekos namespace
Q_SCRIPTABLE Q_NOREPLY void startAstrometry()
startAstrometry initiation of the capture and solve operation.
bool shouldSchedulerSleep(SchedulerJob *job)
shouldSchedulerSleep Check if the scheduler needs to sleep until the job is ready
Q_SCRIPTABLE Q_NOREPLY void startCapture(bool restart=false)
startCapture The current job file name is solved to an url which is fed to ekos.
void loadProfiles()
loadProfiles Load the existing EKOS profiles
Q_SCRIPTABLE Q_NOREPLY void runStartupProcedure()
runStartupProcedure Execute the startup of the scheduler itself to be prepared for running scheduler ...
void checkCapParkingStatus()
checkDomeParkingStatus check dome parking status and updating corresponding states accordingly.
void getNextAction()
getNextAction Checking for the next appropriate action regarding the current state of the scheduler a...
Q_SCRIPTABLE bool isMountParked()
Q_SCRIPTABLE Q_NOREPLY void startJobEvaluation()
startJobEvaluation Start job evaluation only without starting the scheduler process itself.
Q_SCRIPTABLE Q_NOREPLY void resetJobs()
resetJobs Reset all jobs counters
void selectActiveJob(const QList< SchedulerJob * > &jobs)
selectActiveJob Select the job that should be executed
Q_SCRIPTABLE void wakeUpScheduler()
wakeUpScheduler Wake up scheduler from sleep state
Q_SCRIPTABLE Q_NOREPLY void setPaused()
setPaused pausing the scheduler
Q_SCRIPTABLE bool checkParkWaitState()
checkParkWaitState Check park wait state.
bool executeJob(SchedulerJob *job)
executeJob After the best job is selected, we call this in order to start the process that will execu...
bool createJobSequence(XMLEle *root, const QString &prefix, const QString &outputDir)
createJobSequence Creates a job sequence for the mosaic tool given the prefix and output dir.
void iterate()
Repeatedly runs a scheduler iteration and then sleeps timerInterval millisconds and run the next iter...
Q_SCRIPTABLE Q_NOREPLY void startGuiding(bool resetCalibration=false)
startGuiding After ekos is fed the calibration options, we start the guiding process
void findNextJob()
findNextJob Check if the job met the completion criteria, and if it did, then it search for next job ...
Q_SCRIPTABLE bool appendEkosScheduleList(const QString &fileURL)
appendEkosScheduleList Append the contents of an ESL file to the queue.
Q_SCRIPTABLE void execute()
execute Execute the schedule, start if idle or paused.
Q_SCRIPTABLE bool isDomeParked()
Q_SCRIPTABLE bool saveScheduler(const QUrl &fileURL)
saveScheduler Save scheduler jobs to a file
Q_SCRIPTABLE Q_NOREPLY void appendLogText(const QString &logentry) override
appendLogText Append a new line to the logging.
Q_SCRIPTABLE Q_NOREPLY void start()
DBUS interface function.
Q_SCRIPTABLE Q_NOREPLY void removeAllJobs()
DBUS interface function.
Q_SCRIPTABLE void stopCurrentJobAction()
stopCurrentJobAction Stop whatever action taking place in the current job (eg.
Q_SCRIPTABLE Q_NOREPLY void stopGuiding()
stopGuiding After guiding is done we need to stop the process
bool checkShutdownState()
checkShutdownState Check shutdown procedure stages and make sure all stages are complete.
Q_SCRIPTABLE Q_NOREPLY void startSlew()
startSlew DBus call for initiating slew
bool checkEkosState()
checkEkosState Check ekos startup stages and take whatever action necessary to get Ekos up and runnin...
bool checkStatus()
checkJobStatus Check the overall state of the scheduler, Ekos, and INDI.
bool checkINDIState()
checkINDIState Check INDI startup stages and take whatever action necessary to get INDI devices conne...
XMLEle * getSequenceJobRoot(const QString &filename) const
getSequenceJobRoot Read XML data from capture sequence job
Q_SCRIPTABLE Q_NOREPLY void runShutdownProcedure()
runShutdownProcedure Shutdown the scheduler itself and EKOS (if configured to do so).
Q_SCRIPTABLE Q_NOREPLY void setSequence(const QString &sequenceFileURL)
DBUS interface function.
Q_SCRIPTABLE bool loadScheduler(const QString &fileURL)
DBUS interface function.
Q_SCRIPTABLE Q_NOREPLY void startFocusing()
startFocusing DBus call for feeding ekos the specified settings and initiating focus operation
void checkJobStage()
checkJobStage Check the progress of the job states and make DBUS calls to start the next stage until ...
bool checkStartupState()
checkStartupState Check startup procedure stages and make sure all stages are complete.
void processGuidingTimer()
processGuidingTimer Check the guiding timer, and possibly restart guiding.
SkyPoint mountCoords()
mountCoords read the equatorial coordinates from the mount
GuideState getGuidingStatus()
getGuidingStatus Retrieve the guiding status.
Q_SCRIPTABLE Q_NOREPLY void resetAllJobs()
DBUS interface function.
void applyConfig()
applyConfig Apply configuration changes from the global configuration dialog.
Q_SCRIPTABLE void clearLog()
clearLog Clear log entry
Q_SCRIPTABLE Q_NOREPLY void disconnectINDI()
disconnectINDI disconnect all INDI devices from server.
Q_SCRIPTABLE Q_NOREPLY void stop()
DBUS interface function.
bool manageConnectionLoss()
manageConnectionLoss Mitigate loss of connection with the INDI server.
void updateCompletedJobsCount(bool forced=false)
updateCompletedJobsCount For each scheduler job, examine sequence job storage and count captures.
Q_SCRIPTABLE Q_NOREPLY void evaluateJobs(bool evaluateOnly)
evaluateJobs evaluates the current state of each objects and gives each one a score based on the cons...
int runSchedulerIteration()
Run a single scheduler iteration.
void setSolverAction(Align::GotoMode mode)
setSolverAction set the GOTO mode for the solver
Q_SCRIPTABLE bool completeShutdown()
completeShutdown Try to complete the scheduler shutdown
static KConfigDialog * exists(const QString &name)
void settingsChanged(const QString &dialogName)
static KStars * Instance()
Definition kstars.h:122
The SchedulerState class holds all attributes defining the scheduler's state.
void timeChanged()
The time has changed (emitted by setUTC() )
void scaleChanged(float)
The timestep has changed.
The sky coordinates of a point in the sky.
Definition skypoint.h:45
void apparentCoord(long double jd0, long double jdf)
Computes the apparent coordinates for this SkyPoint for any epoch, accounting for the effects of prec...
Definition skypoint.cpp:720
const CachingDms & dec() const
Definition skypoint.h:269
const CachingDms & ra0() const
Definition skypoint.h:251
const CachingDms & ra() const
Definition skypoint.h:263
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 CachingDms & dec0() const
Definition skypoint.h:257
void setDec0(dms d)
Sets Dec0, the catalog Declination.
Definition skypoint.h:119
An angle, stored as degrees, but expressible in many ways.
Definition dms.h:38
double Hours() const
Definition dms.h:168
const QString toDMSString(const bool forceSign=false, const bool machineReadable=false, const bool highPrecision=false) const
Definition dms.cpp:287
const QString toHMSString(const bool machineReadable=false, const bool highPrecision=false) const
Definition dms.cpp:378
const double & Degrees() const
Definition dms.h:141
QString i18np(const char *singular, const char *plural, const TYPE &arg...)
QString i18nc(const char *context, const char *text, const TYPE &arg...)
QString i18n(const char *text, const TYPE &arg...)
Type type(const QSqlDatabase &db)
Ekos is an advanced Astrophotography tool for Linux.
Definition align.cpp:83
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
ErrorHandlingStrategy
options what should happen if an error or abort occurs
AlignState
Definition ekos.h:145
@ ALIGN_FAILED
Alignment failed.
Definition ekos.h:148
@ ALIGN_ABORTED
Alignment aborted by user or agent.
Definition ekos.h:149
@ ALIGN_IDLE
No ongoing operations.
Definition ekos.h:146
@ ALIGN_COMPLETE
Alignment successfully completed.
Definition ekos.h:147
CaptureState
Capture states.
Definition ekos.h:92
@ CAPTURE_PROGRESS
Definition ekos.h:94
@ CAPTURE_IMAGE_RECEIVED
Definition ekos.h:101
@ CAPTURE_ABORTED
Definition ekos.h:99
@ CAPTURE_COMPLETE
Definition ekos.h:112
@ CAPTURE_IDLE
Definition ekos.h:93
SchedulerTimerState
IterationTypes, the different types of scheduler iterations that are run.
GeoCoordinates geo(const QVariant &location)
QString name(const QVariant &location)
ButtonCode warningContinueCancel(QWidget *parent, const QString &text, const QString &title=QString(), const KGuiItem &buttonContinue=KStandardGuiItem::cont(), const KGuiItem &buttonCancel=KStandardGuiItem::cancel(), const QString &dontAskAgainName=QString(), Options options=Notify)
bool isValid(QStringView ifopt)
KGuiItem cont()
KGuiItem cancel()
const char * constData() const const
char * data()
QDateTime addSecs(qint64 s) const const
qint64 currentMSecsSinceEpoch()
qint64 secsTo(const QDateTime &other) const const
QString toString(QStringView format, QCalendar cal) const const
bool connect(const QString &service, const QString &path, const QString &interface, const QString &name, QObject *receiver, const char *slot)
QDBusConnection sessionBus()
void unregisterObject(const QString &path, UnregisterMode mode)
QString errorString(ErrorType error)
QString message() const const
ErrorType type() const const
QList< QVariant > arguments() const const
QString errorMessage() const const
const QDBusError & error()
bool isValid() const const
void accepted()
bool mkpath(const QString &dirPath) const const
bool exists(const QString &fileName)
virtual QString fileName() const const override
bool open(FILE *fh, OpenMode mode, FileHandleFlags handleFlags)
void setFileName(const QString &name)
virtual void close() override
bool getChar(char *c)
void append(QList< T > &&value)
iterator begin()
void clear()
iterator end()
T & first()
bool isEmpty() const const
void removeFirst()
qsizetype size() const const
T value(qsizetype i) const const
QLocale c()
int toInt(QStringView s, bool *ok) const const
QString toString(QDate date, FormatType format) const const
const_iterator constEnd() const const
const_iterator constFind(const Key &key) const const
QList< Key > keys() const const
QMetaObject::Connection connect(const QObject *sender, PointerToMemberFunction signal, Functor functor)
void deleteLater()
bool disconnect(const QMetaObject::Connection &connection)
QVariant property(const char *name) const const
void finished(int exitCode, QProcess::ExitStatus exitStatus)
void readyReadStandardOutput()
void start(OpenMode mode)
QString arg(Args &&... args) const const
bool isEmpty() const const
QString number(double n, char format, int precision)
QByteArray toLatin1() const const
std::string toStdString() const const
bool contains(QLatin1StringView str, Qt::CaseSensitivity cs) const const
UniqueConnection
QTextStream & dec(QTextStream &stream)
QTextStream & endl(QTextStream &stream)
QFuture< ArgsType< Signal > > connect(Sender *sender, Signal signal)
QTime fromMSecsSinceStartOfDay(int msecs)
int msecsSinceStartOfDay() const const
QString toString(QStringView format) const const
void timeout()
PreferLocalFile
QUrl fromUserInput(const QString &userInput, const QString &workingDirectory, UserInputResolutionOptions options)
bool isEmpty() const const
bool isValid() const const
QString toLocalFile() const const
bool isValid() const const
bool toBool() const const
int toInt(bool *ok) const const
QString toString() const const
T value() 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.