1 # A Job consists of many "Tasks".
2 # A task is the run of an external tool, with proper methods for failure handling
4 from Tools.CList import CList
7 NOT_STARTED, IN_PROGRESS, FINISHED, FAILED = range(4)
8 def __init__(self, name):
10 self.resident_tasks = [ ]
11 self.workspace = "/tmp"
20 self.state_changed = CList()
22 self.status = self.NOT_STARTED
24 # description is a dict
25 def fromDescription(self, description):
28 def createDescription(self):
31 def getProgress(self):
32 if self.current_task == len(self.tasks):
34 t = self.tasks[self.current_task]
35 jobprogress = t.weighting * t.progress / float(t.end) + sum([task.weighting for task in self.tasks[:self.current_task]])
36 return int(jobprogress*self.weightScale)
38 progress = property(getProgress)
40 def getStatustext(self):
41 return { self.NOT_STARTED: _("Waiting"), self.IN_PROGRESS: _("In Progress"), self.FINISHED: _("Finished"), self.FAILED: _("Failed") }[self.status]
43 def task_progress_changed_CB(self):
46 def addTask(self, task):
48 task.task_progress_changed = self.task_progress_changed_CB
49 self.tasks.append(task)
51 def start(self, callback):
52 assert self.callback is None
53 self.callback = callback
57 self.status = self.IN_PROGRESS
60 sumTaskWeightings = sum([t.weighting for t in self.tasks]) or 1
61 self.weightScale = self.end / float(sumTaskWeightings)
64 if self.current_task == len(self.tasks):
65 if len(self.resident_tasks) == 0:
68 self.status = self.FINISHED
72 print "still waiting for %d resident task(s) %s to finish" % (len(self.resident_tasks), str(self.resident_tasks))
74 self.tasks[self.current_task].run(self.taskCallback)
77 def taskCallback(self, task, res, stay_resident = False):
78 cb_idx = self.tasks.index(task)
80 if cb_idx not in self.resident_tasks:
81 self.resident_tasks.append(self.current_task)
82 print "task going resident:", task
84 print "task keeps staying resident:", task
87 print ">>> Error:", res
88 self.status = self.FAILED
90 self.callback(self, task, res)
91 if cb_idx != self.current_task:
92 if cb_idx in self.resident_tasks:
93 print "resident task finished:", task
94 self.resident_tasks.remove(cb_idx)
97 self.current_task += 1
101 assert self.status == self.FAILED
105 if self.current_task < len(self.tasks):
106 self.tasks[self.current_task].abort()
107 for i in self.resident_tasks:
108 self.tasks[i].abort()
111 # some Jobs might have a better idea of how to cancel a job
115 def __init__(self, job, name):
117 self.immediate_preconditions = [ ]
118 self.global_preconditions = [ ]
119 self.postconditions = [ ]
120 self.returncode = None
121 self.initial_input = None
131 self.task_progress_changed = None
132 self.output_line = ""
134 self.container = None
136 def setCommandline(self, cmd, args):
140 def setTool(self, tool):
143 self.global_preconditions.append(ToolExistsPrecondition())
144 self.postconditions.append(ReturncodePostcondition())
146 def setCmdline(self, cmdline):
147 self.cmdline = cmdline
149 def checkPreconditions(self, immediate = False):
152 preconditions = self.immediate_preconditions
154 preconditions = self.global_preconditions
155 for precondition in preconditions:
156 if not precondition.check(self):
157 not_met.append(precondition)
160 def run(self, callback):
161 failed_preconditions = self.checkPreconditions(True) + self.checkPreconditions(False)
162 if len(failed_preconditions):
163 callback(self, failed_preconditions)
167 self.callback = callback
168 from enigma import eConsoleAppContainer
169 self.container = eConsoleAppContainer()
170 self.container.appClosed.append(self.processFinished)
171 self.container.stdoutAvail.append(self.processStdout)
172 self.container.stderrAvail.append(self.processStderr)
174 if self.cwd is not None:
175 self.container.setCWD(self.cwd)
177 if not self.cmd and self.cmdline:
178 print "execute:", self.container.execute(self.cmdline), self.cmdline
180 assert self.cmd is not None
181 assert len(self.args) >= 1
182 print "execute:", self.container.execute(self.cmd, *self.args), ' '.join(self.args)
183 if self.initial_input:
184 self.writeInput(self.initial_input)
189 def cleanup(self, failed):
192 def processStdout(self, data):
193 self.processOutput(data)
195 def processStderr(self, data):
196 self.processOutput(data)
198 def processOutput(self, data):
199 self.output_line += data
201 i = self.output_line.find('\n')
204 self.processOutputLine(self.output_line[:i+1])
205 self.output_line = self.output_line[i+1:]
207 def processOutputLine(self, line):
210 def processFinished(self, returncode):
211 self.returncode = returncode
216 self.container.kill()
217 self.finish(aborted = True)
219 def finish(self, aborted = False):
223 not_met.append(AbortedPostcondition())
225 for postcondition in self.postconditions:
226 if not postcondition.check(self):
227 not_met.append(postcondition)
228 self.cleanup(not_met)
229 self.callback(self, not_met)
234 def writeInput(self, input):
235 self.container.write(input)
237 def getProgress(self):
238 return self.__progress
240 def setProgress(self, progress):
241 if progress > self.end:
245 self.__progress = progress
246 if self.task_progress_changed:
247 self.task_progress_changed()
249 progress = property(getProgress, setProgress)
251 # The jobmanager will execute multiple jobs, each after another.
252 # later, it will also support suspending jobs (and continuing them after reboot etc)
253 # It also supports a notification when some error occured, and possibly a retry.
256 self.active_jobs = [ ]
257 self.failed_jobs = [ ]
258 self.job_classes = [ ]
259 self.in_background = False
260 self.active_job = None
262 def AddJob(self, job):
263 self.active_jobs.append(job)
267 if self.active_job is None:
268 if len(self.active_jobs):
269 self.active_job = self.active_jobs.pop(0)
270 self.active_job.start(self.jobDone)
272 def jobDone(self, job, task, problems):
273 print "job", job, "completed with", problems, "in", task
274 from Tools import Notifications
275 if self.in_background:
276 from Screens.TaskView import JobView
277 self.in_background = False
278 Notifications.AddNotification(JobView, self.active_job)
280 from Screens.MessageBox import MessageBox
281 if problems[0].RECOVERABLE:
282 Notifications.AddNotificationWithCallback(self.errorCB, MessageBox, _("Error: %s\nRetry?") % (problems[0].getErrorMessage(task)))
284 Notifications.AddNotification(MessageBox, _("Error") + (': %s') % (problems[0].getErrorMessage(task)), type = MessageBox.TYPE_ERROR )
287 #self.failed_jobs.append(self.active_job)
289 self.active_job = None
292 def errorCB(self, answer):
295 self.active_job.retry()
297 print "not retrying job."
298 self.failed_jobs.append(self.active_job)
299 self.active_job = None
302 def getPendingJobs(self):
305 list.append(self.active_job)
306 list += self.active_jobs
309 #class PartitionExistsPostcondition:
310 # def __init__(self, device):
311 # self.device = device
313 # def check(self, task):
315 # return os.access(self.device + "part1", os.F_OK)
317 #class CreatePartitionTask(Task):
318 # def __init__(self, device):
319 # Task.__init__(self, _("Create Partition"))
320 # self.device = device
321 # self.setTool("/sbin/sfdisk")
322 # self.args += ["-f", self.device + "disc"]
323 # self.initial_input = "0,\n;\n;\n;\ny\n"
324 # self.postconditions.append(PartitionExistsPostcondition(self.device))
326 #class CreateFilesystemTask(Task):
327 # def __init__(self, device, partition = 1, largefile = True):
328 # Task.__init__(self, _("Create Filesystem"))
329 # self.setTool("/sbin/mkfs.ext")
331 # self.args += ["-T", "largefile"]
332 # self.args.append("-m0")
333 # self.args.append(device + "part%d" % partition)
335 #class FilesystemMountTask(Task):
336 # def __init__(self, device, partition = 1, filesystem = "ext3"):
337 # Task.__init__(self, _("Mounting Filesystem"))
338 # self.setTool("/bin/mount")
339 # if filesystem is not None:
340 # self.args += ["-t", filesystem]
341 # self.args.append(device + "part%d" % partition)
346 def getErrorMessage(self, task):
347 return _("An unknown error occured!") + " (%s @ task %s)" % (self.__class__.__name__, task.__class__.__name__)
349 class WorkspaceExistsPrecondition(Condition):
350 def check(self, task):
351 return os.access(task.job.workspace, os.W_OK)
353 class DiskspacePrecondition(Condition):
354 def __init__(self, diskspace_required):
355 self.diskspace_required = diskspace_required
356 self.diskspace_available = 0
358 def check(self, task):
361 s = os.statvfs(task.job.workspace)
362 self.diskspace_available = s.f_bsize * s.f_bavail
363 return self.diskspace_available >= self.diskspace_required
367 def getErrorMessage(self, task):
368 return _("Not enough diskspace. Please free up some diskspace and try again. (%d MB required, %d MB available)") % (self.diskspace_required / 1024 / 1024, self.diskspace_available / 1024 / 1024)
370 class ToolExistsPrecondition(Condition):
371 def check(self, task):
376 realpath = task.cwd + '/' + task.cmd
377 self.realpath = realpath
378 return os.access(realpath, os.X_OK)
380 def getErrorMessage(self, task):
381 return _("A required tool (%s) was not found.") % (self.realpath)
383 class AbortedPostcondition(Condition):
384 def getErrorMessage(self, task):
385 return "Cancelled upon user request"
387 class ReturncodePostcondition(Condition):
388 def check(self, task):
389 return task.returncode == 0
391 #class HDDInitJob(Job):
392 # def __init__(self, device):
393 # Job.__init__(self, _("Initialize Harddisk"))
394 # self.device = device
395 # self.fromDescription(self.createDescription())
397 # def fromDescription(self, description):
398 # self.device = description["device"]
399 # self.addTask(CreatePartitionTask(self.device))
400 # self.addTask(CreateFilesystemTask(self.device))
401 # self.addTask(FilesystemMountTask(self.device))
403 # def createDescription(self):
404 # return {"device": self.device}
406 job_manager = JobManager()