newlines at the end of files especially for sat-man ^^
[vuplus_dvbapp] / lib / python / Plugins / Extensions / DVDBurn / Process.py
1 from Components.Task import Task, Job, job_manager, DiskspacePrecondition, Condition, ToolExistsPrecondition
2 from Screens.MessageBox import MessageBox
3
4 class png2yuvTask(Task):
5         def __init__(self, job, inputfile, outputfile):
6                 Task.__init__(self, job, "Creating menu video")
7                 self.setTool("/usr/bin/png2yuv")
8                 self.args += ["-n1", "-Ip", "-f25", "-j", inputfile]
9                 self.dumpFile = outputfile
10                 self.weighting = 10
11
12         def run(self, callback, task_progress_changed):
13                 Task.run(self, callback, task_progress_changed)
14                 self.container.stdoutAvail.get().remove(self.processStdout)
15                 self.container.dumpToFile(self.dumpFile)
16
17         def processStderr(self, data):
18                 print "[png2yuvTask]", data[:-1]
19
20 class mpeg2encTask(Task):
21         def __init__(self, job, inputfile, outputfile):
22                 Task.__init__(self, job, "Encoding menu video")
23                 self.setTool("/usr/bin/mpeg2enc")
24                 self.args += ["-f8", "-np", "-a2", "-o", outputfile]
25                 self.inputFile = inputfile
26                 self.weighting = 10
27                 
28         def run(self, callback, task_progress_changed):
29                 Task.run(self, callback, task_progress_changed)
30                 self.container.readFromFile(self.inputFile)
31
32         def processOutputLine(self, line):
33                 print "[mpeg2encTask]", line[:-1]
34
35 class spumuxTask(Task):
36         def __init__(self, job, xmlfile, inputfile, outputfile):
37                 Task.__init__(self, job, "Muxing buttons into menu")
38                 self.setTool("/usr/bin/spumux")
39                 self.args += [xmlfile]
40                 self.inputFile = inputfile
41                 self.dumpFile = outputfile
42                 self.weighting = 10
43
44         def run(self, callback, task_progress_changed):
45                 Task.run(self, callback, task_progress_changed)
46                 self.container.stdoutAvail.get().remove(self.processStdout)
47                 self.container.dumpToFile(self.dumpFile)
48                 self.container.readFromFile(self.inputFile)
49
50         def processStderr(self, data):
51                 print "[spumuxTask]", data[:-1]
52
53 class MakeFifoNode(Task):
54         def __init__(self, job, number):
55                 Task.__init__(self, job, "Make FIFO nodes")
56                 self.setTool("/bin/mknod")
57                 nodename = self.job.workspace + "/dvd_title_%d" % number + ".mpg"
58                 self.args += [nodename, "p"]
59                 self.weighting = 10
60
61 class LinkTS(Task):
62         def __init__(self, job, sourcefile, link_name):
63                 Task.__init__(self, job, "Creating symlink for source titles")
64                 self.setTool("/bin/ln")
65                 self.args += ["-s", sourcefile, link_name]
66                 self.weighting = 10
67
68 class CopyMeta(Task):
69         def __init__(self, job, sourcefile):
70                 Task.__init__(self, job, "Copy title meta files")
71                 self.setTool("/bin/cp")
72                 from os import listdir
73                 path, filename = sourcefile.rstrip("/").rsplit("/",1)
74                 tsfiles = listdir(path)
75                 for file in tsfiles:
76                         if file.startswith(filename+"."):
77                                 self.args += [path+'/'+file]
78                 self.args += [self.job.workspace]
79                 self.weighting = 10
80
81 class DemuxTask(Task):
82         def __init__(self, job, inputfile):
83                 Task.__init__(self, job, "Demux video into ES")
84                 title = job.project.titles[job.i]
85                 self.global_preconditions.append(DiskspacePrecondition(title.estimatedDiskspace))
86                 self.setTool("/usr/bin/projectx")
87                 self.generated_files = [ ]
88                 self.end = 300
89                 self.prog_state = 0
90                 self.weighting = 1000
91                 self.cutfile = self.job.workspace + "/cut_%d.Xcl" % (job.i+1)
92                 self.cutlist = title.cutlist
93                 self.args += [inputfile, "-demux", "-out", self.job.workspace ]
94                 if len(self.cutlist) > 1:
95                         self.args += [ "-cut", self.cutfile ]
96
97         def prepare(self):
98                 self.writeCutfile()
99
100         def processOutputLine(self, line):
101                 line = line[:-1]
102                 MSG_NEW_FILE = "---> new File: "
103                 MSG_PROGRESS = "[PROGRESS] "
104
105                 if line.startswith(MSG_NEW_FILE):
106                         file = line[len(MSG_NEW_FILE):]
107                         if file[0] == "'":
108                                 file = file[1:-1]
109                         self.haveNewFile(file)
110                 elif line.startswith(MSG_PROGRESS):
111                         progress = line[len(MSG_PROGRESS):]
112                         self.haveProgress(progress)
113
114         def haveNewFile(self, file):
115                 print "PRODUCED FILE [%s]" % file
116                 self.generated_files.append(file)
117
118         def haveProgress(self, progress):
119                 #print "PROGRESS [%s]" % progress
120                 MSG_CHECK = "check & synchronize audio file"
121                 MSG_DONE = "done..."
122                 if progress == "preparing collection(s)...":
123                         self.prog_state = 0
124                 elif progress[:len(MSG_CHECK)] == MSG_CHECK:
125                         self.prog_state += 1
126                 else:
127                         try:
128                                 p = int(progress)
129                                 p = p - 1 + self.prog_state * 100
130                                 if p > self.progress:
131                                         self.progress = p
132                         except ValueError:
133                                 print "val error"
134                                 pass
135
136         def writeCutfile(self):
137                 f = open(self.cutfile, "w")
138                 f.write("CollectionPanel.CutMode=4\n")
139                 for p in self.cutlist:
140                         s = p / 90000
141                         m = s / 60
142                         h = m / 60
143
144                         m %= 60
145                         s %= 60
146
147                         f.write("%02d:%02d:%02d\n" % (h, m, s))
148                 f.close()
149
150         def cleanup(self, failed):
151                 if failed:
152                         import os
153                         for f in self.generated_files:
154                                 os.remove(f)
155
156 class MplexTaskPostcondition(Condition):
157         def check(self, task):
158                 if task.error == task.ERROR_UNDERRUN:
159                         return True
160                 return task.error is None
161
162         def getErrorMessage(self, task):
163                 print "[MplexTaskPostcondition] getErrorMessage", task
164                 return {
165                         task.ERROR_UNDERRUN: ("Can't multiplex source video!"),
166                         task.ERROR_UNKNOWN: ("An unknown error occured!")
167                 }[task.error]
168
169 class MplexTask(Task):
170         ERROR_UNDERRUN, ERROR_UNKNOWN = range(2)
171         def __init__(self, job, outputfile, inputfiles=None, demux_task=None):
172                 Task.__init__(self, job, "Mux ES into PS")
173                 self.weighting = 500
174                 self.demux_task = demux_task
175                 self.postconditions.append(MplexTaskPostcondition())
176                 self.setTool("/usr/bin/mplex")
177                 self.args += ["-f8", "-o", outputfile, "-v1"]
178                 if inputfiles:
179                         self.args += inputfiles
180
181         def setTool(self, tool):
182                 self.cmd = tool
183                 self.args = [tool]
184                 self.global_preconditions.append(ToolExistsPrecondition())
185                 # we don't want the ReturncodePostcondition in this case because for right now we're just gonna ignore the fact that mplex fails with a buffer underrun error on some streams (this always at the very end)
186
187         def prepare(self):
188                 self.error = None                       
189                 if self.demux_task:
190                         self.args += self.demux_task.generated_files
191
192         def processOutputLine(self, line):
193                 print "[MplexTask] processOutputLine=", line[:-1]
194                 if line.startswith("**ERROR:"):
195                         if line.find("Frame data under-runs detected") != -1:
196                                 self.error = self.ERROR_UNDERRUN
197                         else:
198                                 self.error = self.ERROR_UNKNOWN
199
200 class RemoveESFiles(Task):
201         def __init__(self, job, demux_task):
202                 Task.__init__(self, job, "Remove temp. files")
203                 self.demux_task = demux_task
204                 self.setTool("/bin/rm")
205
206         def prepare(self):
207                 self.args += ["-f"]
208                 self.args += self.demux_task.generated_files
209                 self.args += [self.demux_task.cutfile]
210
211 class DVDAuthorTask(Task):
212         def __init__(self, job, diskspaceNeeded):
213                 Task.__init__(self, job, "Authoring DVD")
214
215                 self.global_preconditions.append(DiskspacePrecondition(diskspaceNeeded))
216                 self.weighting = 300
217                 self.setTool("/usr/bin/dvdauthor")
218                 self.CWD = self.job.workspace
219                 self.args += ["-x", self.job.workspace+"/dvdauthor.xml"]
220                 self.menupreview = job.menupreview
221
222         def processOutputLine(self, line):
223                 print "[DVDAuthorTask] processOutputLine=", line[:-1]
224                 if not self.menupreview and line.startswith("STAT: Processing"):
225                         self.callback(self, [], stay_resident=True)
226
227 class DVDAuthorFinalTask(Task):
228         def __init__(self, job):
229                 Task.__init__(self, job, "dvdauthor finalize")
230                 self.setTool("/usr/bin/dvdauthor")
231                 self.args += ["-T", "-o", self.job.workspace + "/dvd"]
232
233 class WaitForResidentTasks(Task):
234         def __init__(self, job):
235                 Task.__init__(self, job, "waiting for dvdauthor to finalize")
236                 
237         def run(self, callback, task_progress_changed):
238                 print "waiting for %d resident task(s) %s to finish..." % (len(self.job.resident_tasks),str(self.job.resident_tasks))
239                 if self.job.resident_tasks == 0:
240                         callback(self, [])
241
242 class BurnTaskPostcondition(Condition):
243         RECOVERABLE = True
244         def check(self, task):
245                 return task.error is None
246
247         def getErrorMessage(self, task):
248                 return {
249                         task.ERROR_MEDIA: _("Medium is not a writeable DVD!"),
250                         task.ERROR_SIZE: _("Content does not fit on DVD!"),
251                         task.ERROR_WRITE_FAILED: _("Write failed!"),
252                         task.ERROR_DVDROM: _("No (supported) DVDROM found!"),
253                         task.ERROR_ISOFS: _("Medium is not empty!"),
254                         task.ERROR_UNKNOWN: _("An unknown error occured!")
255                 }[task.error]
256
257 class BurnTask(Task):
258         ERROR_MEDIA, ERROR_SIZE, ERROR_WRITE_FAILED, ERROR_DVDROM, ERROR_ISOFS, ERROR_UNKNOWN = range(6)
259         def __init__(self, job, extra_args=[]):
260                 Task.__init__(self, job, "burn")
261
262                 self.weighting = 500
263                 self.end = 120 # 100 for writing, 10 for buffer flush, 10 for closing disc
264                 self.postconditions.append(BurnTaskPostcondition())
265                 self.setTool("/bin/growisofs")
266                 volName = self.getASCIIname(job.project.settings.name.getValue())
267                 self.args += ["-dvd-compat", "-Z", "/dev/cdroms/cdrom0", "-V", volName, "-P", "Dreambox", "-use-the-force-luke=dummy", self.job.workspace + "/dvd"]
268                 self.args += extra_args
269
270         def getASCIIname(self, name):
271                 ASCIIname = ""
272                 for char in name.decode("utf-8").encode("ascii","replace"):
273                         if ord(char) <= 0x20 or ( ord(char) >= 0x3a and ord(char) <= 0x40 ):
274                                 ASCIIname += '_'
275                         else:
276                                 ASCIIname += char
277                 return ASCIIname
278                 
279         def prepare(self):
280                 self.error = None
281
282         def processOutputLine(self, line):
283                 line = line[:-1]
284                 print "[GROWISOFS] %s" % line
285                 if line[8:14] == "done, ":
286                         self.progress = float(line[:6])
287                         print "progress:", self.progress
288                 elif line.find("flushing cache") != -1:
289                         self.progress = 100
290                 elif line.find("closing disc") != -1:
291                         self.progress = 110
292                 elif line.startswith(":-["):
293                         if line.find("ASC=30h") != -1:
294                                 self.error = self.ERROR_MEDIA
295                         else:
296                                 self.error = self.ERROR_UNKNOWN
297                                 print "BurnTask: unknown error %s" % line
298                 elif line.startswith(":-("):
299                         if line.find("No space left on device") != -1:
300                                 self.error = self.ERROR_SIZE
301                         elif line.find("write failed") != -1:
302                                 self.error = self.ERROR_WRITE_FAILED
303                         elif line.find("unable to open64(\"/dev/cdroms/cdrom0\",O_RDONLY): No such file or directory") != -1: # fixme
304                                 self.error = self.ERROR_DVDROM
305                         elif line.find("media is not recognized as recordable DVD") != -1:
306                                 self.error = self.ERROR_MEDIA
307                         else:
308                                 self.error = self.ERROR_UNKNOWN
309                                 print "BurnTask: unknown error %s" % line
310                 elif line.startswith("FATAL:"):
311                         if line.find("already carries isofs!"):
312                                 self.error = self.ERROR_ISOFS
313                         else:
314                                 self.error = self.ERROR_UNKNOWN
315                                 print "BurnTask: unknown error %s" % line
316
317 class RemoveDVDFolder(Task):
318         def __init__(self, job):
319                 Task.__init__(self, job, "Remove temp. files")
320                 self.setTool("/bin/rm")
321                 self.args += ["-rf", self.job.workspace]
322
323 class PreviewTask(Task):
324         def __init__(self, job):
325                 Task.__init__(self, job, "Preview")
326                 self.postconditions.append(PreviewTaskPostcondition())
327                 self.job = job
328
329         def run(self, callback, task_progress_changed):
330                 self.callback = callback
331                 self.task_progress_changed = task_progress_changed
332                 if self.job.project.waitboxref:
333                         self.job.project.waitboxref.close()
334                 if self.job.menupreview:
335                         self.waitAndOpenPlayer()
336                 else:
337                         self.job.project.session.openWithCallback(self.previewCB, MessageBox, _("Do you want to preview this DVD before burning?"), timeout = 60, default = False)
338         
339         def previewCB(self, answer):
340                 if answer == True:
341                         self.waitAndOpenPlayer()
342                 else:
343                         self.closedCB(True)
344
345         def playerClosed(self):
346                 if self.job.menupreview:
347                         self.closedCB(True)
348                 else:
349                         self.job.project.session.openWithCallback(self.closedCB, MessageBox, _("Do you want to burn this collection to DVD medium?") )
350
351         def closedCB(self, answer):
352                 if answer == True:
353                         Task.processFinished(self, 0)
354                 else:
355                         Task.processFinished(self, 1)
356
357         def waitAndOpenPlayer(self):
358                 from enigma import eTimer
359                 self.delayTimer = eTimer()
360                 self.delayTimer.callback.append(self.previewProject)
361                 self.delayTimer.start(10,1)
362                 
363         def previewProject(self):
364                 from Plugins.Extensions.DVDPlayer.plugin import DVDPlayer
365                 self.job.project.session.openWithCallback(self.playerClosed, DVDPlayer, dvd_filelist= [ self.job.project.workspace + "/dvd/VIDEO_TS/" ])
366
367 class PreviewTaskPostcondition(Condition):
368         def check(self, task):
369                 return task.returncode == 0
370
371         def getErrorMessage(self, task):
372                 return "Cancel"
373
374 def getTitlesPerMenu(nr_titles):
375         if nr_titles < 6:
376                 titles_per_menu = 5
377         else:
378                 titles_per_menu = 4
379         return titles_per_menu
380
381 def formatTitle(template, title, track):
382         template = template.replace("$i", str(track))
383         template = template.replace("$t", title.name)
384         template = template.replace("$d", title.descr)
385         template = template.replace("$c", str(len(title.chaptermarks)+1))
386         template = template.replace("$A", str(title.audiotracks))
387         template = template.replace("$f", title.inputfile)
388         template = template.replace("$C", title.channel)
389         l = title.length
390         lengthstring = "%d:%02d:%02d" % (l/3600, l%3600/60, l%60)
391         template = template.replace("$l", lengthstring)
392         if title.timeCreate:
393                 template = template.replace("$Y", str(title.timeCreate[0]))
394                 template = template.replace("$M", str(title.timeCreate[1]))
395                 template = template.replace("$D", str(title.timeCreate[2]))
396                 timestring = "%d:%02d" % (title.timeCreate[3], title.timeCreate[4])
397                 template = template.replace("$T", timestring)
398         else:
399                 template = template.replace("$Y", "").replace("$M", "").replace("$D", "").replace("$T", "")
400         return template.decode("utf-8")
401
402 def CreateMenus(job):
403         import os, Image, ImageDraw, ImageFont
404         imgwidth = 720
405         imgheight = 576
406         s = job.project.settings
407         im_bg_orig = Image.open(s.menubg.getValue())
408         if im_bg_orig.size != (imgwidth, imgheight):
409                 im_bg_orig = im_bg_orig.resize((720, 576))
410         
411         fontsizes = s.font_size.getValue()
412         fontface = s.font_face.getValue()
413         
414         font0 = ImageFont.truetype(fontface, fontsizes[0])
415         font1 = ImageFont.truetype(fontface, fontsizes[1])
416         font2 = ImageFont.truetype(fontface, fontsizes[2])
417
418         color_headline = tuple(s.color_headline.getValue())
419         color_button = tuple(s.color_button.getValue())
420         color_highlight = tuple(s.color_highlight.getValue())
421         spu_palette = [ 0x60, 0x60, 0x60 ] + s.color_highlight.getValue()
422
423         nr_titles = len(job.project.titles)
424         titles_per_menu = getTitlesPerMenu(nr_titles)
425         job.nr_menus = ((nr_titles+titles_per_menu-1)/titles_per_menu)
426
427         #a new menu_count every 5 titles (1,2,3,4,5->1 ; 6,7,8,9,10->2 etc.)
428         for menu_count in range(1 , job.nr_menus+1):
429                 im_bg = im_bg_orig.copy()
430                 im_high = Image.new("P", (imgwidth, imgheight), 0)
431                 im_high.putpalette(spu_palette)
432                 draw_bg = ImageDraw.Draw(im_bg)
433                 draw_high = ImageDraw.Draw(im_high)
434
435                 if menu_count == 1:
436                         headline = s.name.getValue().decode("utf-8")
437                         textsize = draw_bg.textsize(headline, font=font0)
438                         if textsize[0] > imgwidth:
439                                 offset = (0 , 20)
440                         else:
441                                 offset = (((imgwidth-textsize[0]) / 2) , 20)
442                         draw_bg.text(offset, headline, fill=color_headline, font=font0)
443                 
444                 menubgpngfilename = job.workspace+"/dvd_menubg"+str(menu_count)+".png"
445                 highlightpngfilename = job.workspace+"/dvd_highlight"+str(menu_count)+".png"
446                 spuxml = """<?xml version="1.0" encoding="utf-8"?>
447         <subpictures>
448         <stream>
449         <spu 
450         highlight="%s"
451         transparent="%02x%02x%02x"
452         start="00:00:00.00"
453         force="yes" >""" % (highlightpngfilename, spu_palette[0], spu_palette[1], spu_palette[2])
454                 s_top, s_rows, s_left = s.space.getValue()
455                 rowheight = (fontsizes[1]+fontsizes[2]+s_rows)
456                 menu_start_title = (menu_count-1)*titles_per_menu + 1
457                 menu_end_title = (menu_count)*titles_per_menu + 1
458                 if menu_end_title > nr_titles:
459                         menu_end_title = nr_titles+1
460                 menu_i = 0
461                 for title_no in range( menu_start_title , menu_end_title ):
462                         i = title_no-1
463                         top = s_top + ( menu_i * rowheight )
464                         menu_i += 1
465                         title = job.project.titles[i]
466                         titleText = formatTitle(s.titleformat.getValue(), title, title_no)
467                         draw_bg.text((s_left,top), titleText, fill=color_button, font=font1)
468                         draw_high.text((s_left,top), titleText, fill=1, font=font1)
469                         subtitleText = formatTitle(s.subtitleformat.getValue(), title, title_no)
470                         draw_bg.text((s_left,top+36), subtitleText, fill=color_button, font=font2)
471                         bottom = top+rowheight
472                         if bottom > imgheight:
473                                 bottom = imgheight
474                         spuxml += """
475         <button name="button%s" x0="%d" x1="%d" y0="%d" y1="%d"/>""" % (str(title_no).zfill(2),s_left,imgwidth,top,bottom )
476                 if menu_count > 1:
477                         prev_page_text = "<<<"
478                         textsize = draw_bg.textsize(prev_page_text, font=font1)
479                         offset = ( 2*s_left, s_top + ( titles_per_menu * rowheight ) )
480                         draw_bg.text(offset, prev_page_text, fill=color_button, font=font1)
481                         draw_high.text(offset, prev_page_text, fill=1, font=font1)
482                         spuxml += """
483         <button name="button_prev" x0="%d" x1="%d" y0="%d" y1="%d"/>""" % (offset[0],offset[0]+textsize[0],offset[1],offset[1]+textsize[1])
484
485                 if menu_count < job.nr_menus:
486                         next_page_text = ">>>"
487                         textsize = draw_bg.textsize(next_page_text, font=font1)
488                         offset = ( imgwidth-textsize[0]-2*s_left, s_top + ( titles_per_menu * rowheight ) )
489                         draw_bg.text(offset, next_page_text, fill=color_button, font=font1)
490                         draw_high.text(offset, next_page_text, fill=1, font=font1)
491                         spuxml += """
492         <button name="button_next" x0="%d" x1="%d" y0="%d" y1="%d"/>""" % (offset[0],offset[0]+textsize[0],offset[1],offset[1]+textsize[1])
493                                 
494                 del draw_bg
495                 del draw_high
496                 fd=open(menubgpngfilename,"w")
497                 im_bg.save(fd,"PNG")
498                 fd.close()
499                 fd=open(highlightpngfilename,"w")
500                 im_high.save(fd,"PNG")
501                 fd.close()
502         
503                 png2yuvTask(job, menubgpngfilename, job.workspace+"/dvdmenubg"+str(menu_count)+".yuv")
504                 menubgm2vfilename = job.workspace+"/dvdmenubg"+str(menu_count)+".mv2"
505                 mpeg2encTask(job, job.workspace+"/dvdmenubg"+str(menu_count)+".yuv", menubgm2vfilename)
506                 menubgmpgfilename = job.workspace+"/dvdmenubg"+str(menu_count)+".mpg"
507                 menuaudiofilename = s.menuaudio.getValue()
508                 MplexTask(job, outputfile=menubgmpgfilename, inputfiles = [menubgm2vfilename, menuaudiofilename])
509         
510                 spuxml += """
511         </spu>
512         </stream>
513         </subpictures>"""
514                 spuxmlfilename = job.workspace+"/spumux"+str(menu_count)+".xml"
515                 f = open(spuxmlfilename, "w")
516                 f.write(spuxml)
517                 f.close()
518                 
519                 menuoutputfilename = job.workspace+"/dvdmenu"+str(menu_count)+".mpg"
520                 spumuxTask(job, spuxmlfilename, menubgmpgfilename, menuoutputfilename)
521                 
522 def CreateAuthoringXML(job):
523         nr_titles = len(job.project.titles)
524         titles_per_menu = getTitlesPerMenu(nr_titles)
525         mode = job.project.settings.authormode.getValue()
526         authorxml = []
527         authorxml.append('<?xml version="1.0" encoding="utf-8"?>\n')
528         authorxml.append(' <dvdauthor dest="' + (job.workspace+"/dvd") + '">\n')
529         authorxml.append('  <vmgm>\n')
530         authorxml.append('   <menus>\n')
531         authorxml.append('    <pgc>\n')
532         authorxml.append('     <vob file="' + job.project.settings.vmgm.getValue() + '" />\n', )
533         if mode.startswith("menu"):
534                 authorxml.append('     <post> jump titleset 1 menu; </post>\n')
535         else:
536                 authorxml.append('     <post> jump title 1; </post>\n')
537         authorxml.append('    </pgc>\n')
538         authorxml.append('   </menus>\n')
539         authorxml.append('  </vmgm>\n')
540         authorxml.append('  <titleset>\n')
541         if mode.startswith("menu"):
542                 authorxml.append('   <menus>\n')
543                 authorxml.append('    <video aspect="4:3"/>\n')
544                 for menu_count in range(1 , job.nr_menus+1):
545                         if menu_count == 1:
546                                 authorxml.append('    <pgc entry="root">\n')
547                         else:
548                                 authorxml.append('    <pgc>\n')
549                         menu_start_title = (menu_count-1)*titles_per_menu + 1
550                         menu_end_title = (menu_count)*titles_per_menu + 1
551                         if menu_end_title > nr_titles:
552                                 menu_end_title = nr_titles+1
553                         for i in range( menu_start_title , menu_end_title ):
554                                 authorxml.append('     <button name="button' + (str(i).zfill(2)) + '"> jump title ' + str(i) +'; </button>\n')
555                         if menu_count > 1:
556                                 authorxml.append('     <button name="button_prev"> jump menu ' + str(menu_count-1) + '; </button>\n')
557                         if menu_count < job.nr_menus:
558                                 authorxml.append('     <button name="button_next"> jump menu ' + str(menu_count+1) + '; </button>\n')
559                         menuoutputfilename = job.workspace+"/dvdmenu"+str(menu_count)+".mpg"
560                         authorxml.append('     <vob file="' + menuoutputfilename + '" pause="inf"/>\n')
561                         authorxml.append('    </pgc>\n')
562                 authorxml.append('   </menus>\n')
563         authorxml.append('   <titles>\n')
564         for i in range( nr_titles ):
565                 for audiotrack in job.project.titles[i].audiotracks:
566                         authorxml.append('    <audio lang="'+audiotrack[0][:2]+'" format="'+audiotrack[1]+'" />\n')
567                 chapters = ','.join(["%d:%02d:%02d.%03d" % (p / (90000 * 3600), p % (90000 * 3600) / (90000 * 60), p % (90000 * 60) / 90000, (p % 90000) / 90) for p in job.project.titles[i].chaptermarks])
568                 title_no = i+1
569                 title_filename = job.workspace + "/dvd_title_%d.mpg" % (title_no)
570                 if job.menupreview:
571                         LinkTS(job, job.project.settings.vmgm.getValue(), title_filename)
572                 else:
573                         MakeFifoNode(job, title_no)
574                 if mode.endswith("linked") and title_no < nr_titles:
575                         post_tag = "jump title %d;" % ( title_no+1 )
576                 elif mode.startswith("menu"):
577                         post_tag = "call vmgm menu 1;"
578                 else:   post_tag = ""
579
580                 authorxml.append('    <pgc>\n')
581                 authorxml.append('     <vob file="' + title_filename + '" chapters="' + chapters + '" />\n')
582                 authorxml.append('     <post> ' + post_tag + ' </post>\n')
583                 authorxml.append('    </pgc>\n')
584
585         authorxml.append('   </titles>\n')
586         authorxml.append('  </titleset>\n')
587         authorxml.append(' </dvdauthor>\n')
588         f = open(job.workspace+"/dvdauthor.xml", "w")
589         for x in authorxml:
590                 f.write(x)
591         f.close()
592
593 class DVDJob(Job):
594         def __init__(self, project, menupreview=False):
595                 Job.__init__(self, "DVD Burn")
596                 self.project = project
597                 from time import strftime
598                 from Tools.Directories import SCOPE_HDD, resolveFilename, createDir
599                 new_workspace = resolveFilename(SCOPE_HDD) + "tmp/" + strftime("%Y%m%d%H%M%S")
600                 createDir(new_workspace, True)
601                 self.workspace = new_workspace
602                 self.project.workspace = self.workspace
603                 self.menupreview = menupreview
604                 self.conduct()
605
606         def conduct(self):
607                 if self.project.settings.authormode.getValue().startswith("menu") or self.menupreview:
608                         CreateMenus(self)
609                 CreateAuthoringXML(self)
610
611                 totalsize = 50*1024*1024 # require an extra safety 50 MB
612                 maxsize = 0
613                 for title in self.project.titles:
614                         titlesize = title.estimatedDiskspace
615                         if titlesize > maxsize: maxsize = titlesize
616                         totalsize += titlesize
617                 diskSpaceNeeded = totalsize + maxsize
618
619                 DVDAuthorTask(self, diskSpaceNeeded)
620                 
621                 nr_titles = len(self.project.titles)
622                 
623                 if self.menupreview:
624                         PreviewTask(self)
625                 else:
626                         for self.i in range(nr_titles):
627                                 title = self.project.titles[self.i]
628                                 link_name =  self.workspace + "/source_title_%d.ts" % (self.i+1)
629                                 title_filename = self.workspace + "/dvd_title_%d.mpg" % (self.i+1)
630                                 LinkTS(self, title.inputfile, link_name)
631                                 demux = DemuxTask(self, link_name)
632                                 MplexTask(self, outputfile=title_filename, demux_task=demux)
633                                 RemoveESFiles(self, demux)
634                         WaitForResidentTasks(self)
635                         PreviewTask(self)
636                         BurnTask(self,["-dvd-video"])
637                 RemoveDVDFolder(self)
638
639 class DVDdataJob(Job):
640         def __init__(self, project):
641                 Job.__init__(self, "Data DVD Burn")
642                 self.project = project
643                 from time import strftime
644                 from Tools.Directories import SCOPE_HDD, resolveFilename, createDir
645                 new_workspace = resolveFilename(SCOPE_HDD) + "tmp/" + strftime("%Y%m%d%H%M%S") + "/dvd/"
646                 createDir(new_workspace, True)
647                 self.workspace = new_workspace
648                 self.project.workspace = self.workspace
649                 self.conduct()
650
651         def conduct(self):
652                 diskSpaceNeeded = 50*1024*1024 # require an extra safety 50 MB
653                 for title in self.project.titles:
654                         diskSpaceNeeded += title.filesize
655                 nr_titles = len(self.project.titles)
656
657                 for self.i in range(nr_titles):
658                         title = self.project.titles[self.i]
659                         filename = title.inputfile.rstrip("/").rsplit("/",1)[1]
660                         link_name =  self.workspace + filename
661                         LinkTS(self, title.inputfile, link_name)
662                         CopyMeta(self, title.inputfile)
663                 BurnTask(self)
664                 RemoveDVDFolder(self)
665
666 def Burn(session, project):
667         j = DVDJob(project)
668         job_manager.AddJob(j)
669         return j
670
671 def PreviewMenu(session, project):
672         j = DVDJob(project, menupreview=True)
673         job_manager.AddJob(j)
674         return j
675
676 def BurnDataTS(session, project):
677         j = DVDdataJob(project)
678         job_manager.AddJob(j)
679         return j