introduce a collection settings screen, delivery of template and menu source files
[vuplus_dvbapp] / 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 project 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 project 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         import re
345         template = template.replace("$i", str(track))
346         template = template.replace("$t", title.name)
347         template = template.replace("$d", title.descr)
348         template = template.replace("$c", str(len(title.chaptermarks)+1))
349         template = template.replace("$f", title.inputfile)
350         l = title.length
351         lengthstring = "%d:%02d:%02d" % (l/3600, l%3600/60, l%60)
352         template = template.replace("$l", lengthstring)
353         res = re.search("(?:/.*?).*/(?P<year>\d{4})(?P<month>\d{2})(?P<day>\d{2}).(?P<hour>\d{2})(?P<minute>\d{2}).-.*.?.ts", title.inputfile)
354         if res:
355                 template = template.replace("$Y", res.group("year"))
356                 template = template.replace("$M", res.group("month"))
357                 template = template.replace("$D", res.group("day"))
358                 template = template.replace("$h", res.group("hour"))
359                 template = template.replace("$m", res.group("minute"))
360         else:
361                 template = template.replace("$Y", "").replace("$M", "").replace("$D", "").replace("$h", "").replace("$m", "")
362         return template.decode("utf-8")
363
364 def CreateMenus(job):
365         import os, Image, ImageDraw, ImageFont
366         imgwidth = 720
367         imgheight = 576
368         s = job.project.settings
369         im_bg_orig = Image.open(s.menubg.getValue())
370         if im_bg_orig.size != (imgwidth, imgheight):
371                 im_bg_orig = im_bg_orig.resize((720, 576))
372         
373         fontsizes = s.font_size.getValue()
374         fontface = s.font_face.getValue()
375         
376         font0 = ImageFont.truetype(fontface, fontsizes[0])
377         font1 = ImageFont.truetype(fontface, fontsizes[1])
378         font2 = ImageFont.truetype(fontface, fontsizes[2])
379
380         color_headline = tuple(s.color_headline.getValue())
381         color_button = tuple(s.color_button.getValue())
382         color_highlight = tuple(s.color_highlight.getValue())
383         spu_palette = [ 0x60, 0x60, 0x60 ] + s.color_highlight.getValue()
384
385         nr_titles = len(job.project.titles)
386         titles_per_menu = getTitlesPerMenu(nr_titles)
387         job.nr_menus = ((nr_titles+titles_per_menu-1)/titles_per_menu)
388
389         #a new menu_count every 5 titles (1,2,3,4,5->1 ; 6,7,8,9,10->2 etc.)
390         for menu_count in range(1 , job.nr_menus+1):
391                 im_bg = im_bg_orig.copy()
392                 im_high = Image.new("P", (imgwidth, imgheight), 0)
393                 im_high.putpalette(spu_palette)
394                 draw_bg = ImageDraw.Draw(im_bg)
395                 draw_high = ImageDraw.Draw(im_high)
396
397                 if menu_count == 1:
398                         headline = s.name.getValue().decode("utf-8")
399                         textsize = draw_bg.textsize(headline, font=font0)
400                         if textsize[0] > imgwidth:
401                                 offset = (0 , 20)
402                         else:
403                                 offset = (((imgwidth-textsize[0]) / 2) , 20)
404                         draw_bg.text(offset, headline, fill=color_headline, font=font0)
405                 
406                 menubgpngfilename = job.workspace+"/dvd_menubg"+str(menu_count)+".png"
407                 highlightpngfilename = job.workspace+"/dvd_highlight"+str(menu_count)+".png"
408                 spuxml = """<?xml version="1.0" encoding="utf-8"?>
409         <subpictures>
410         <stream>
411         <spu 
412         highlight="%s"
413         transparent="%02x%02x%02x"
414         start="00:00:00.00"
415         force="yes" >""" % (highlightpngfilename, spu_palette[0], spu_palette[1], spu_palette[2])
416                 s_top, s_rows, s_left = s.space.getValue()
417                 rowheight = (fontsizes[1]+fontsizes[2]+s_rows)
418                 menu_start_title = (menu_count-1)*titles_per_menu + 1
419                 menu_end_title = (menu_count)*titles_per_menu + 1
420                 if menu_end_title > nr_titles:
421                         menu_end_title = nr_titles+1
422                 menu_i = 0
423                 for title_no in range( menu_start_title , menu_end_title ):
424                         i = title_no-1
425                         top = s_top + ( menu_i * rowheight )
426                         menu_i += 1
427                         title = job.project.titles[i]
428                         titleText = formatTitle(s.titleformat.getValue(), title, title_no)
429                         draw_bg.text((s_left,top), titleText, fill=color_button, font=font1)
430                         draw_high.text((s_left,top), titleText, fill=1, font=font1)
431                         subtitleText = formatTitle(s.subtitleformat.getValue(), title, title_no)
432                         draw_bg.text((s_left,top+36), subtitleText, fill=color_button, font=font2)
433                         bottom = top+rowheight
434                         if bottom > imgheight:
435                                 bottom = imgheight
436                         spuxml += """
437         <button name="button%s" x0="%d" x1="%d" y0="%d" y1="%d"/>""" % (str(title_no).zfill(2),s_left,imgwidth,top,bottom )
438                 if menu_count > 1:
439                         prev_page_text = "<<<"
440                         textsize = draw_bg.textsize(prev_page_text, font=font1)
441                         offset = ( 2*s_left, s_top + ( titles_per_menu * rowheight ) )
442                         draw_bg.text(offset, prev_page_text, fill=color_button, font=font1)
443                         draw_high.text(offset, prev_page_text, fill=1, font=font1)
444                         spuxml += """
445         <button name="button_prev" x0="%d" x1="%d" y0="%d" y1="%d"/>""" % (offset[0],offset[0]+textsize[0],offset[1],offset[1]+textsize[1])
446
447                 if menu_count < job.nr_menus:
448                         next_page_text = ">>>"
449                         textsize = draw_bg.textsize(next_page_text, font=font1)
450                         offset = ( imgwidth-textsize[0]-2*s_left, s_top + ( titles_per_menu * rowheight ) )
451                         draw_bg.text(offset, next_page_text, fill=color_button, font=font1)
452                         draw_high.text(offset, next_page_text, fill=1, font=font1)
453                         spuxml += """
454         <button name="button_next" x0="%d" x1="%d" y0="%d" y1="%d"/>""" % (offset[0],offset[0]+textsize[0],offset[1],offset[1]+textsize[1])
455                                 
456                 del draw_bg
457                 del draw_high
458                 fd=open(menubgpngfilename,"w")
459                 im_bg.save(fd,"PNG")
460                 fd.close()
461                 fd=open(highlightpngfilename,"w")
462                 im_high.save(fd,"PNG")
463                 fd.close()
464         
465                 png2yuvTask(job, menubgpngfilename, job.workspace+"/dvdmenubg"+str(menu_count)+".yuv")
466                 menubgm2vfilename = job.workspace+"/dvdmenubg"+str(menu_count)+".mv2"
467                 mpeg2encTask(job, job.workspace+"/dvdmenubg"+str(menu_count)+".yuv", menubgm2vfilename)
468                 menubgmpgfilename = job.workspace+"/dvdmenubg"+str(menu_count)+".mpg"
469                 menuaudiofilename = s.menuaudio.getValue()
470                 MplexTask(job, outputfile=menubgmpgfilename, inputfiles = [menubgm2vfilename, menuaudiofilename])
471         
472                 spuxml += """
473         </spu>
474         </stream>
475         </subpictures>"""
476                 spuxmlfilename = job.workspace+"/spumux"+str(menu_count)+".xml"
477                 f = open(spuxmlfilename, "w")
478                 f.write(spuxml)
479                 f.close()
480                 
481                 menuoutputfilename = job.workspace+"/dvdmenu"+str(menu_count)+".mpg"
482                 spumuxTask(job, spuxmlfilename, menubgmpgfilename, menuoutputfilename)
483                 
484 def CreateAuthoringXML(job):
485         nr_titles = len(job.project.titles)
486         titles_per_menu = getTitlesPerMenu(nr_titles)
487         mode = job.project.settings.authormode.getValue()
488         authorxml = []
489         authorxml.append('<?xml version="1.0" encoding="utf-8"?>\n')
490         authorxml.append(' <dvdauthor dest="' + (job.workspace+"/dvd") + '">\n')
491         authorxml.append('  <vmgm>\n')
492         authorxml.append('   <menus>\n')
493         authorxml.append('    <pgc>\n')
494         authorxml.append('     <vob file="' + job.project.settings.vmgm.getValue() + '" />\n', )
495         if mode.startswith("menu"):
496                 authorxml.append('     <post> jump titleset 1 menu; </post>\n')
497         else:
498                 authorxml.append('     <post> jump title 1; </post>\n')
499         authorxml.append('    </pgc>\n')
500         authorxml.append('   </menus>\n')
501         authorxml.append('  </vmgm>\n')
502         authorxml.append('  <titleset>\n')
503         if mode.startswith("menu"):
504                 authorxml.append('   <menus>\n')
505                 authorxml.append('    <video aspect="4:3"/>\n')
506                 for menu_count in range(1 , job.nr_menus+1):
507                         if menu_count == 1:
508                                 authorxml.append('    <pgc entry="root">\n')
509                         else:
510                                 authorxml.append('    <pgc>\n')
511                         menu_start_title = (menu_count-1)*titles_per_menu + 1
512                         menu_end_title = (menu_count)*titles_per_menu + 1
513                         if menu_end_title > nr_titles:
514                                 menu_end_title = nr_titles+1
515                         for i in range( menu_start_title , menu_end_title ):
516                                 authorxml.append('     <button name="button' + (str(i).zfill(2)) + '"> jump title ' + str(i) +'; </button>\n')
517                         if menu_count > 1:
518                                 authorxml.append('     <button name="button_prev"> jump menu ' + str(menu_count-1) + '; </button>\n')
519                         if menu_count < job.nr_menus:
520                                 authorxml.append('     <button name="button_next"> jump menu ' + str(menu_count+1) + '; </button>\n')
521                         menuoutputfilename = job.workspace+"/dvdmenu"+str(menu_count)+".mpg"
522                         authorxml.append('     <vob file="' + menuoutputfilename + '" pause="inf"/>\n')
523                         authorxml.append('    </pgc>\n')
524                 authorxml.append('   </menus>\n')
525         authorxml.append('   <titles>\n')
526         for i in range( nr_titles ):
527                 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])
528                 title_no = i+1
529                 title_filename = job.workspace + "/dvd_title_%d.mpg" % (title_no)
530                 if job.menupreview:
531                         LinkTS(job, job.project.settings.vmgm.getValue(), title_filename)
532                 else:
533                         MakeFifoNode(job, title_no)
534                 if mode.endswith("linked") and title_no < nr_titles:
535                         post_tag = "jump title %d;" % ( title_no+1 )
536                 elif mode.startswith("menu"):
537                         post_tag = "call vmgm menu 1;"
538                 else:   post_tag = ""
539
540                 authorxml.append('    <pgc>\n')
541                 authorxml.append('     <vob file="' + title_filename + '" chapters="' + chapters + '" />\n')
542                 authorxml.append('     <post> ' + post_tag + ' </post>\n')
543                 authorxml.append('    </pgc>\n')
544
545         authorxml.append('   </titles>\n')
546         authorxml.append('  </titleset>\n')
547         authorxml.append(' </dvdauthor>\n')
548         f = open(job.workspace+"/dvdauthor.xml", "w")
549         for x in authorxml:
550                 f.write(x)
551         f.close()
552
553 class DVDJob(Job):
554         def __init__(self, project, menupreview=False):
555                 Job.__init__(self, "DVD Burn")
556                 self.project = project
557                 from time import strftime
558                 from Tools.Directories import SCOPE_HDD, resolveFilename, createDir
559                 new_workspace = resolveFilename(SCOPE_HDD) + "tmp/" + strftime("%Y%m%d%H%M%S")
560                 createDir(new_workspace, True)
561                 self.workspace = new_workspace
562                 self.project.workspace = self.workspace
563                 self.menupreview = menupreview
564                 self.conduct()
565
566         def conduct(self):
567                 if self.project.settings.authormode.getValue().startswith("menu") or self.menupreview:
568                         CreateMenus(self)
569                 CreateAuthoringXML(self)
570
571                 totalsize = 50*1024*1024 # require an extra safety 50 MB
572                 maxsize = 0
573                 for title in self.project.titles:
574                         titlesize = title.estimatedDiskspace
575                         if titlesize > maxsize: maxsize = titlesize
576                         totalsize += titlesize
577                 diskSpaceNeeded = totalsize + maxsize
578                 print "diskSpaceNeeded:", diskSpaceNeeded
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         print "burning cuesheet!"
602         j = DVDJob(project)
603         job_manager.AddJob(j)
604         return j
605
606 def PreviewMenu(session, project):
607         print "preview DVD menu!"
608         j = DVDJob(project, menupreview=True)
609         job_manager.AddJob(j)
610         return j