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