File:  [Repository] / versionedFile / extVersionedFile.py
Revision 1.22: download - view: text, annotated - select for diffs - revision graph
Fri Jun 27 17:46:45 2008 UTC (15 years, 11 months ago) by casties
Branches: MAIN
CVS tags: HEAD
added generic changeObject method to extVersionedFileObject

    1: """actual version of the versioned file folder with external filestorage, 
    2: using the ExtFile Product, this version replaces externaVersionedFile.py
    3: DW 11.10.2006
    4: """
    5: 
    6: from OFS.Folder import Folder
    7: from OFS.Image import File
    8: from OFS.Image import cookId
    9: from Globals import DTMLFile, InitializeClass,package_home
   10: from Products.PageTemplates.PageTemplateFile import PageTemplateFile
   11: from AccessControl import getSecurityManager
   12: from Products.PageTemplates.PageTemplate import PageTemplate
   13: from Products.PageTemplates.ZopePageTemplate import ZopePageTemplate
   14: from AccessControl import ClassSecurityInfo
   15: from difflib import Differ
   16: from pprint import pprint
   17: from Products.ExtFile.ExtFile import * 
   18: from Products.ZCatalog.CatalogPathAwareness import CatalogAware
   19: 
   20: try:
   21:     from Products.ImageArchive.ImageArchive import manage_AddImageZogiLib
   22: except:
   23:     print "no images"
   24: 
   25: from threading import Thread
   26: import shutil
   27: import tempfile
   28: import os.path
   29: import urllib
   30: import time
   31: import logging
   32: import types
   33: 
   34: try:
   35:     from Products.ECHO_content.ECHO_collection import ECHO_basis
   36: except:
   37:     print "ECHO Elements not imported"
   38:     class ECHO_basis:
   39:         """leer"""
   40:         manage_options=()
   41: 
   42: 	
   43: def sortv(x,y):
   44:     return cmp(x[0],y[0])
   45: 
   46: tdir = "/tmp/downloadVersionedFiles"
   47: 
   48: class generateDownloadZip:
   49:     """generateDownloadSet"""
   50: 
   51:     def __init__(self,folderObject,url):
   52:         """init downloadzip"""
   53:         self.folder=folderObject
   54:         self.done=None
   55:         self.response=""
   56:         self.url=url
   57:         
   58:     def __call__(self):
   59:         """call generate download zip"""
   60:         storeTempDir=tempfile.tempdir
   61:         tempfile.tempdir=tdir
   62: 
   63:         tmpPath=tempfile.mktemp()
   64:         tmpZip=tempfile.mktemp()+".tgz"
   65:         tmpFn=os.path.split(tmpZip)[1]
   66:         
   67:         if not os.path.exists(tempfile.tempdir):
   68:             os.mkdir(tempfile.tempdir) 
   69: 
   70:         if not os.path.exists(tmpPath):
   71:             os.mkdir(tmpPath) 
   72: 	    
   73:         self.response="<h3>1. step: getting the files</h3>"
   74: 
   75:         for files in self.folder.ZopeFind(self.folder,obj_metatypes=['extVersionedFile']):
   76:             lastV=files[1].getContentObject()
   77:             self.response+=str("<p>Get File: %s<br>\n"%lastV.title)
   78: 
   79:             savePath=os.path.join(tmpPath,lastV.title)
   80:             fh=file(savePath,"w")
   81:             fh.write(lastV.getData())
   82:             fh.close()
   83: 
   84:         self.response+="<h3>2. step: creating the downloadable file</h3>"
   85:         self.response+="<p>Create gtar<br>"
   86:         self.response+="<p>This can take a while....<br>\n"
   87: 
   88:         fh=os.popen2("tar zcvf %s %s/*"%(tmpZip,tmpPath),1)[1]
   89:         self.response+="<br>"
   90:         for c in fh.read():
   91:             self.response+=c
   92:             if c==")":
   93:                 self.response+="<br>\n"
   94:         
   95:         shutil.rmtree(tmpPath)
   96: 
   97:         self.response+="<p>finished<br>\n"
   98: 
   99:         len=os.stat(tmpZip)[6]
  100:         downloadUrl=self.url+"/downloadSet"
  101:         self.response+="""<h1><a href="downloadSet?fn=%s">Click here for download ( %i Byte)</a></h1>\n"""%(tmpFn,len)
  102:         self.response+="""<p>The file you receive is a tar (gnutar) compressed file, after unpacking you will find a new folder <emph>tmp</emph> where the files are stored in.</p>"""
  103:         self.response+="""<p>The file will be stored for a while, you can download it later, the URL is:</p>
  104: 		    <p><a href="downloadSet?fn=%s">%s?fn=%s</a></h1>\n"""%(tmpFn,downloadUrl,tmpFn)
  105: 
  106:         self.done=True
  107: 
  108:         
  109:     def getResult(self):
  110:         """get result"""
  111:         return self.response
  112: 
  113:     def isDone(self):
  114:         if self.done:
  115:             return True
  116:         else:
  117:             return False
  118:         
  119: 
  120: class extVersionedFileFolder(Folder,ECHO_basis):
  121:     """Folder with versioned files"""
  122:     meta_type = "extVersionedFileFolder"
  123: 
  124:     security= ClassSecurityInfo()
  125:     security.declareProtected('AUTHENTICATED_USER','addFileForm')
  126: 
  127:     file_meta_type=['extVersionedFile']
  128: 
  129:     if ECHO_basis:
  130:         optTMP= Folder.manage_options+ECHO_basis.manage_options
  131:     else:
  132:         optTMP= Folder.manage_options
  133: 
  134:     manage_options =optTMP+(
  135:         {'label':'Generate Index.html','action':'generateIndexHTML'},
  136:         {'label':'Generate Image Index.html','action':'generateIndexHTML_image'},
  137:         {'label':'Generate history_template.html','action':'generateHistoryHTML'},
  138:         {'label':'Import directory','action':'importFolderForm'},
  139:         {'label':'Export as file','action':'exportFolder'},
  140:         {'label':'Import versionedFileFolder','action':'importVersionedFileFolderForm'},
  141:         {'label':'Position of version number','action':'changeHistoryFileNamesForm'},
  142:         )
  143: 
  144:     
  145:     def changeHistoryFileNamesForm(self):
  146:         """change position of version num"""
  147:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','changeHistoryFileNamesForm.zpt')).__of__(self)
  148:         return pt()
  149:     
  150:     
  151:     def changeHistoryFileNames(self,positionVersionNum="front",RESPONSE=None):
  152:         """change position of version num"""
  153:         versions=self.ZopeFind(self,obj_metatypes=['extVersionedFileObject'],search_sub=1)
  154:         
  155:         if not (getattr(self,'positionVersionNum','front')==positionVersionNum):
  156: 
  157:             for version in versions:
  158:                 
  159:                 if positionVersionNum=="front":
  160:                     
  161:                     titleTmp=os.path.splitext(version[1].title)
  162:                     titleTmp2="_".join(titleTmp[0].split("_")[0:-1])
  163:                     if len(titleTmp)>1:
  164:                         id=titleTmp[0].split("_")[-1]+"_"+titleTmp2+"."+titleTmp[1]
  165:                     else:
  166:                         id=titleTmp[0].split("_")[-1]+"_"+titleTmp2
  167: 
  168:                 else:
  169:                     titleTmp="_".join(version[1].getId().split("_")[1:])
  170:                     tmp=os.path.splitext(titleTmp)
  171:                     if len(tmp)>1:
  172:                         id=tmp[0]+"_"+version[1].getId().split("_")[0]+tmp[1]
  173:                     else:
  174:                         id=tmp[0]+"_"+version[1].getId().split("_")[0]
  175:                 
  176:                 version[1].aq_parent.manage_renameObjects(ids=[version[1].getId()],new_ids=[id])
  177:                 version[1].title=id
  178:                 
  179:         self.positionVersionNum=positionVersionNum        
  180:         if RESPONSE:
  181:             RESPONSE.redirect("manage_main")
  182:         
  183:         
  184:         
  185:     def importFolderForm(self):
  186:         """form fuer folder import"""
  187:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','importFolderForm.zpt')).__of__(self)
  188:         return pt()
  189:     
  190:     def importFolder(self,path,comment="",author=None,lockedBy=None,RESPONSE=None):
  191:         """import contents of a folder on the server"""
  192:         for fileName in os.listdir(path):
  193:             fn = os.path.join(path,fileName)
  194:             if os.path.isfile(fn):
  195:                 f = file(fn)
  196:                 self.addFile(vC=comment, file=f, author=author)
  197:         
  198:         if RESPONSE:
  199:             RESPONSE.redirect(self.REQUEST['URL1'])
  200: 
  201:     def importVersionedFileFolderForm(self):
  202:         """form fuer versionedFileFolder import"""
  203:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','importVersionedFileFolderForm.zpt')).__of__(self)
  204:         return pt()
  205:     
  206:     def importVersionedFileFolder(self,path,RESPONSE=None):
  207:         """import contents of a versionedFileFolder on the server"""
  208:         vff = getattr(self.aq_parent, path, None)
  209:         if vff is None:
  210:             return "SORRY, unable to import %s"%path
  211:         
  212:         tmpPath=tempfile.mktemp()
  213:         if not os.path.exists(tempfile.tempdir):
  214:             os.mkdir(tempfile.tempdir) 
  215: 
  216:         if not os.path.exists(tmpPath):
  217:             os.mkdir(tmpPath) 
  218: 
  219:         for (vfn, vf) in vff.getVersionedFiles():
  220:             if vf.meta_type == 'versionedFile':
  221:                 logging.error("importvff: importing %s of type %s!"%(vfn,vf.meta_type))
  222:                 title = vf.title
  223:                 fob = vf.getLastVersion()
  224:                 author = fob.getLastEditor()
  225:                 vc = fob.getVersionComment()
  226:                 # save file to filesystem
  227:                 savePath=os.path.join(tmpPath,title)
  228:                 fh=file(savePath,"w")
  229:                 data = vf.getLastVersion().data
  230:                 if isinstance(data, str):
  231:                     # simple data object
  232:                     fh.write(data)
  233:                 else:
  234:                     # chained data objects
  235:                     while data is not None:
  236:                         fh.write(data.data)
  237:                         data = data.next
  238:                 fh.close()
  239:                 # and read in again
  240:                 fh = file(savePath)
  241:                 logging.error("importvff: comment=%s author=%s!"%(vc,author))
  242:                 self.addFile(vC=vc, file=fh, author=author)
  243:                 # copy more fields
  244:                 newfob = getattr(self, vfn).getContentObject()
  245:                 newfob.vComment = fob.vComment
  246:                 newfob.time = fob.time
  247:                 logging.error("importvff: vc=%s time=%s of %s!"%(fob.vComment,fob.time,fob.getId()))
  248:                 
  249:             else:
  250:                 logging.error("importvff: unable to import %s of type %s!"%(vfn,vf.meta_type))
  251:         
  252:         shutil.rmtree(tmpPath)
  253: 
  254:         if RESPONSE:
  255:             RESPONSE.redirect(self.REQUEST['URL1'])
  256: 
  257:     zipThreads={}
  258:     zipThreads2={}
  259: 
  260:     def refreshTxt(self):
  261:         """txt fuer refresh"""
  262:         tn=self.REQUEST.SESSION['threadName']
  263:         return """ 2;url=%s?repeat=%s """%(self.absolute_url()+"/exportFolder",tn)
  264: 
  265:     def exportFolder(self,repeat=None):
  266:         """exportiert alle akutellen files des folders"""
  267:         threadName=repeat
  268:         
  269:         downloadZip=generateDownloadZip(self,self.absolute_url())
  270:         downloadZip()
  271:         return downloadZip.getResult()
  272:     
  273:        ##  if not threadName or threadName=="":
  274: ##             threadStart=generateDownloadZip(self,self.absolute_url())
  275: ##             thread=Thread(target=threadStart)
  276:     
  277: ##             thread.start()
  278: 
  279:     
  280: ##             self.zipThreads[thread.getName()[0:]]=threadStart
  281: ##             self.zipThreads2[thread.getName()[0:]]=thread
  282: ##             self.REQUEST.SESSION['threadName']=thread.getName()[0:]
  283: ##             wait_template=self.aq_parent.ZopeFind(self.aq_parent,obj_ids=['zip_wait_template'])
  284: ##             if wait_template:
  285: ##                 return wait_template[0][1]()
  286: ##             pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','zip_wait.zpt')).__of__(self)
  287: ##             return pt()
  288:     
  289: ##         else:
  290: ##             self.REQUEST.SESSION['threadName']=threadName
  291: 
  292: ##             if (self.zipThreads[threadName].getResult()==None):
  293: 
  294: ##                 wait_template=self.aq_parent.ZopeFind(self.aq_parent,obj_ids=['wait_template'])
  295: ##                 if wait_template:
  296: ##                     return wait_template[0][1]()
  297: 
  298: ##                 pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','zip_wait.zpt')).__of__(self)
  299: ##                 return pt()
  300: ##             else:
  301: ##                 if self.zipThreads[threadName].isDone():
  302: ##                     self.REQUEST.SESSION['result']=self.zipThreads[threadName].getResult()
  303: ##                     self.zipThreads2[threadName].join()
  304: ##                     del(self.zipThreads2[threadName])
  305: ##                     del(self.zipThreads[threadName])
  306: ##                     pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','zip_result.zpt')).__of__(self)
  307: ##                     return pt()
  308: 
  309: ##                 else:
  310: ##                     self.REQUEST.SESSION['result']=self.zipThreads[threadName].getResult()
  311: ##                     self.REQUEST.SESSION['threadName']=threadName
  312: ##                     pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','zip_wait_result.zpt')).__of__(self)
  313: ##                     return pt()
  314: 
  315:     def downloadSet(self,fn):
  316:         """download prepared set"""
  317:         filename=os.path.join(tdir,fn)
  318: 
  319:         
  320:         self.REQUEST.RESPONSE.setHeader("Content-Disposition","""attachement; filename="%s" """%"downloadFileFolder.tgz")
  321:         self.REQUEST.RESPONSE.setHeader("Content-Type","application/octet-stream")
  322:         len=os.stat(filename)[6]
  323:         self.REQUEST.RESPONSE.setHeader("Content-Length",len)
  324:         images=file(filename).read()
  325:         self.REQUEST.RESPONSE.write(images)
  326:         self.REQUEST.RESPONSE.close()
  327: 
  328: 	
  329: 
  330:     def helpDownload(self):
  331:         """download help"""
  332:         
  333:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','helpDownload')).__of__(self)
  334:         return pt()
  335:     
  336:     def generateIndexHTML_image(self,RESPONSE=None):
  337:         """lege standard index.html an"""
  338: 
  339: 
  340:         if not self.ZopeFind(self,obj_ids=['index.html']):
  341:             zt=ZopePageTemplate('index.html')
  342:             self._setObject('index.html',zt)
  343:             default_content_fn = os.path.join(package_home(globals()),
  344:                                               'zpt/versionFileFolderMain_image.zpt')
  345:             text = open(default_content_fn).read()
  346:             zt.pt_edit(text, 'text/html')
  347: 
  348:         else:
  349:             return "already exists!"
  350:         
  351:         if RESPONSE is not None:
  352:             RESPONSE.redirect('manage_main')
  353: 
  354:     
  355:     def generateAddFileForm(self,RESPONSE=None):
  356:         """lege standard addfileform an"""
  357:         #TODO: write generateaddfileform only a dummy at them moment
  358: 
  359:         if not self.ZopeFind(self,obj_ids=['addFileForm.dtml']):
  360:             zt=ZopePageTemplate('index.html')
  361:             self._setObject('index.html',zt)
  362:             default_content_fn = os.path.join(package_home(globals()),
  363:                                               'zpt/versionFileFolderMain.zpt')
  364:             text = open(default_content_fn).read()
  365:             zt.pt_edit(text, 'text/html')
  366: 
  367:         else:
  368:             return "already exists!"
  369:         
  370:         if RESPONSE is not None:
  371:             RESPONSE.redirect('manage_main')
  372: 
  373: 
  374:     def generateIndexHTML(self,RESPONSE=None):
  375:         """lege standard index.html an"""
  376:         if not self.ZopeFind(self,obj_ids=['index.html']):
  377:             zt=ZopePageTemplate('index.html')
  378:             self._setObject('index.html',zt)
  379:             default_content_fn = os.path.join(package_home(globals()),
  380:                                               'zpt/versionFileFolderMain.zpt')
  381:             text = open(default_content_fn).read()
  382:             zt.pt_edit(text, 'text/html')
  383: 
  384:         else:
  385:             return "already exists!"
  386:         
  387:         if RESPONSE is not None:
  388:             RESPONSE.redirect('manage_main')
  389: 
  390: 
  391:     def generateHistoryHTML(self,RESPONSE=None):
  392:         """lege standard index.html an"""
  393:         if not self.ZopeFind(self,obj_ids=['history_template.html']):
  394:             zt=ZopePageTemplate('history_template.html')
  395:             self._setObject('history_template.html',zt)
  396:             default_content_fn = os.path.join(package_home(globals()),
  397:                                               'zpt/versionHistory.zpt')
  398:             text = open(default_content_fn).read()
  399:             zt.pt_edit(text, 'text/html')
  400: 
  401:         else:
  402:             return "already exists!"
  403:         
  404:         if RESPONSE is not None:
  405:             RESPONSE.redirect('manage_main')
  406:             
  407: 
  408:     def getVersionedFiles(self,sortField='title'):
  409:         """get all versioned files"""
  410: 
  411:         def sortName(x,y):
  412:             return cmp(x[1].title.lower(),y[1].title.lower())
  413: 
  414:         def sortDate(x,y):
  415:             return cmp(y[1].getContentObject().getTime(),x[1].getContentObject().getTime())
  416: 
  417:         def sortComment(x,y):
  418:             try:
  419:                 xc=getattr(x[1],'comment','ZZZZZZZZZZZZZ').lower()
  420:             except:
  421:                 xc='ZZZZZZZZZZZZZ'.lower()
  422:                 
  423:             try:
  424:                 yc=getattr(y[1],'comment','ZZZZZZZZZZZZZ').lower()
  425:             except:
  426:                 yc='ZZZZZZZZZZZZZ'.lower()
  427: 
  428:             if (xc=='') or (xc=='ZZZZZZZZZZZZZ'.lower()):
  429:                 try:
  430:                     xc=x[1].getContentObject().getVComment().lower()
  431:                 except:
  432:                     xc='ZZZZZZZZZZZZZ'.lower()
  433:                             
  434:             if (yc=='') or (yc=='ZZZZZZZZZZZZZ'.lower()):
  435:                 try:
  436:                     yc=y[1].getContentObject().getVComment().lower()
  437:                 except:
  438:                     yc='ZZZZZZZZZZZZZ'.lower()
  439:                                     
  440:             return cmp(xc,yc)
  441: 
  442:         def sortAuthor(x,y):
  443:             
  444:             return cmp(x[1].getContentObject().lastEditor().lower(),y[1].getContentObject().lastEditor().lower())
  445:         
  446:         versionedFiles=self.objectItems(self.file_meta_type)
  447:         logging.debug("versionedfiles: %s of type %s"%(repr(versionedFiles),repr(self.file_meta_type)))
  448:         
  449:         if sortField=='title':
  450:             versionedFiles.sort(sortName)
  451:         elif sortField=='date':
  452:             versionedFiles.sort(sortDate)
  453:         elif sortField=='author':
  454:             versionedFiles.sort(sortAuthor)
  455:         elif sortField=='comment':
  456:             versionedFiles.sort(sortComment)
  457: 
  458:         return versionedFiles
  459: 
  460: 
  461:     def header_html(self):
  462:         """zusaetzlicher header"""
  463:         ext=self.ZopeFind(self,obj_ids=["header.html"])
  464:         if ext:
  465:             return ext[0][1]()
  466:         else:
  467:             return ""
  468: 
  469: 
  470:     security.declareProtected('View','index_html')
  471:     def index_html(self):
  472:         """main"""
  473:         ext=self.ZopeFind(self,obj_ids=["index.html"])
  474:         if ext:
  475:             return ext[0][1]()
  476:         
  477:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','versionFileFolderMain')).__of__(self)
  478:         return pt()
  479: 
  480: 
  481: 
  482:     def addFileForm(self):
  483:         """add a file"""
  484:         ext=self.ZopeFind(self,obj_ids=["addFileForm.dtml"])
  485:         if ext:
  486:             return ext[0][1]('',globals(),version='1',AUTHENTICATED_USER=self.REQUEST.AUTHENTICATED_USER)
  487:         
  488:         out=DTMLFile('dtml/newFileAdd', globals(),Kind='versionedFileObject',kind='versionedFileObject',version='1').__of__(self)
  489:         return out()
  490: 
  491: 
  492:     def addFile(self,vC,file,author='',newName='',content_type='',RESPONSE=None):
  493:         """ add a new file"""
  494:         # is file is a real file or a zope download object?
  495:         isRealFile = type(file) is types.FileType
  496: 
  497:         if newName=='':
  498:             logging.debug("fileobject: %s real:%s"%(repr(file),repr(isRealFile)))
  499:             if isRealFile:
  500:                 filename = file.name
  501:             else:
  502:                 filename=file.filename
  503: 
  504:             id=filename[max(filename.rfind('/'),
  505:                             filename.rfind('\\'),
  506:                             filename.rfind(':'),
  507:                             )+1:]
  508: 
  509:         else:
  510:             id=newName
  511:         
  512:         if vC is None:
  513:             vC=self.REQUEST.form['vC']
  514:         
  515:         # get new extVersionedFile
  516:         vf = self._newVersionedFile(id,title=id)
  517:         logging.debug("addFile id=%s vf=%s of %s"%(repr(id),repr(vf),repr(self)))
  518:         # add its content (and don't index)
  519:         obj=vf.addContentObject(id,vC,author=author,file=file,content_type=content_type,from_tmp=isRealFile,index=False)
  520:         # add file to this folder (this should do the indexing)
  521:         self._setObject(id,vf)
  522:         
  523:         try:
  524:             self.REQUEST.SESSION['objID']=vf.getId()
  525:             self.REQUEST.SESSION['objID_parent']=None
  526:         except:
  527:             pass
  528: 
  529:         if obj.getSize()==0:
  530:             pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','errorUploadFile')).__of__(self)
  531:             return pt()
  532:         
  533:         if RESPONSE is not None:
  534:             RESPONSE.redirect(self.REQUEST['URL1'])
  535: 
  536: 
  537:     def _newVersionedFile(self, id, title='', lockedBy=None, author=None):
  538:         """factory for versioned files. to be overridden in derived classes."""
  539:         return extVersionedFile(id, title, lockedBy=lockedBy, author=author)
  540: 
  541: 
  542:     def deleteEmptyObject(self,submit,RESPONSE=None):
  543:         """deleteemptyobject"""
  544:         if submit=="delete it":
  545:             if self.REQUEST.SESSION['objID_parent']:
  546:                 obj=getattr(self,self.REQUEST.SESSION['objID_parent'])
  547: 
  548:             else:
  549:                 obj=self
  550:             obj.manage_delObjects([self.REQUEST.SESSION['objID']])
  551: 
  552:         RESPONSE.redirect(self.REQUEST['URL1'])
  553:         
  554: 
  555:     security.declareProtected('AUTHENTICATED_USER','fixVersionNumbers')    
  556:     def fixVersionNumbers(self):
  557:         """fix last version number of all files"""
  558:         for (id,vf) in self.getVersionedFiles():
  559:             vf.fixVersionNumbers()
  560:         # recursively
  561:         for (id,vf) in self.objectItems(self.meta_type):
  562:             vf.fixVersionNumbers()
  563:         
  564: 
  565: manage_addextVersionedFileFolderForm=DTMLFile('dtml/extfolderAdd', globals())
  566: 
  567: 
  568: def manage_addextVersionedFileFolder(self, id, title='',
  569:                                      createPublic=0,
  570:                                      createUserF=0,
  571:                                      REQUEST=None):
  572:     """Add a new Folder object with id *id*.
  573: 
  574:     If the 'createPublic' and 'createUserF' parameters are set to any true
  575:     value, an 'index_html' and a 'UserFolder' objects are created respectively
  576:     in the new folder.
  577:     """
  578:     ob=extVersionedFileFolder()
  579:     ob.id=str(id)
  580:     ob.title=title
  581:     self._setObject(id, ob)
  582:     ob=self._getOb(id)
  583: 
  584:     checkPermission=getSecurityManager().checkPermission
  585: 
  586:     if createUserF:
  587:         if not checkPermission('Add User Folders', ob):
  588:             raise Unauthorized, (
  589:                 'You are not authorized to add User Folders.'
  590:                 )
  591:         ob.manage_addUserFolder()
  592: 
  593:         
  594:     if REQUEST is not None:
  595:         return self.manage_main(self, REQUEST, update_menu=1)
  596: 
  597: 
  598: 
  599: class extVersionedFileObject(ExtFile):
  600:     """File Object im Folder"""
  601:     security= ClassSecurityInfo()
  602:     meta_type = "extVersionedFileObject"
  603:     
  604:     manage_editForm=DTMLFile('dtml/fileEdit',globals(),
  605:                                Kind='File',kind='file')
  606:     manage_editForm._setName('manage_editForm')
  607: 
  608:     def __init__(self, id, title='', versionNumber=0, versionComment=None, time=None, author=None):
  609:         """Initialize a new instance of extVersionedFileObject (taken from ExtFile)"""
  610:         ExtFile.__init__(self,id,title)
  611:         self.versionNumber = versionNumber
  612:         self.versionComment= versionComment
  613:         self.time = time
  614:         self.author = author
  615: 
  616:     security.declareProtected('manage','changeObject')
  617:     def changeObject(self,**args):
  618:         """modify object"""
  619:         for arg in args:
  620:             if hasattr(self, arg):
  621:                 logging.debug("changeObject arg:%s = %s"%(arg,args[arg]))
  622:                 setattr(self, arg, args[arg])
  623: 
  624:     security.declarePublic('getTitle')
  625:     def getTitle(self):
  626:         """get title"""
  627:         return self.title
  628:     
  629:     def getData(self):
  630:         """returns object content (calls ExtFile.index_html)"""
  631:         return ExtFile.index_html(self)
  632:     
  633:     security.declarePublic('getVComment')
  634:     def getVComment(self):
  635:         """get the comment of this file"""
  636:         if not hasattr(self,'vComment') or (not self.vComment) or (self.vComment.lstrip()==""):
  637:             return "Add comment"
  638: 
  639:         else:
  640:             return self.vComment
  641:         
  642:     def manageVCommentForm(self):
  643:         """add a comment"""
  644:         self.REQUEST.SESSION['refer']=self.REQUEST['HTTP_REFERER']
  645:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','addVComment')).__of__(self)
  646:         return pt()
  647: 
  648:     def manageVComment(self,text,comment_author,submit,REQUEST=None):
  649:         """manage comments"""
  650:         if submit =='change':
  651:             if text=='':
  652:                 self.vComment=None
  653:             else:
  654:                 self.vComment=text
  655:                 self.vComment_author=comment_author
  656: 
  657:                 self.vComment_date=time.strftime("%Y-%m-%d %H:%M:%S",time.localtime())
  658: 
  659:         if self.REQUEST.SESSION.has_key('refer'):
  660: 
  661:             return REQUEST.RESPONSE.redirect(self.REQUEST.SESSION['refer'])
  662:         return REQUEST.RESPONSE.redirect(self.aq_parent.absolute_url()+"/history")
  663:     
  664: 
  665:     security.declarePublic('getVersionComment')
  666:     def getVersionComment(self):
  667:         """getversioncomment"""
  668:         return self.versionComment
  669:     
  670:     security.declarePublic('getTime')
  671:     def getTime(self):
  672:         """getTime"""
  673:         #return self.bobobase_modification_time().ISO()
  674:         if hasattr(self,'time'):
  675:             return time.strftime("%Y-%m-%d %H:%M:%S",self.time)
  676:         elif hasattr(self,'timefixed'):
  677:             return self.timefixed
  678:         else:
  679:             setattr(self,'timefixed',self.bobobase_modification_time().ISO())
  680:             return self.bobobase_modification_time().ISO()
  681: 
  682:     def download(self,REQUEST=None,RESPONSE=None):
  683:         """download and lock"""
  684:         
  685:         self.REQUEST.RESPONSE.setHeader("Content-Disposition","""attachement; filename=%s"""%self.getId())
  686:         self.REQUEST.RESPONSE.setHeader("Content-Type","application/octet-stream")
  687: 	#try:
  688: 	#	txt=self.index_html()
  689: 	#except:
  690: 	#	txt=self.index_html(REQUEST,RESPONSE)
  691: 	#
  692: 	#self.REQUEST.RESPONSE.setHeader("Content-Length","str(len(txt)+1000)")
  693:       	
  694:         self.content_type="application/octet-stream"
  695:         self.REQUEST.RESPONSE.redirect(self.absolute_url())
  696:         #txt=urllib.urlopen(self.absolute_url()).read()
  697:         #self.REQUEST.RESPONSE.write(txt)
  698: 	
  699: 
  700:         #self.REQUEST.close()
  701:     
  702:     view = download
  703:     
  704:     security.declareProtected('AUTHENTICATED_USER','downloadLocked')    
  705:     def downloadLocked(self):
  706:         """download and lock"""
  707:         
  708:         
  709:         if repr(self.REQUEST['AUTHENTICATED_USER'])=='Anonymous User':
  710:             return "please login first"
  711:         if not self.aq_parent.lockedBy=="":
  712:             return "cannot be locked because is already locked by %s"%self.lockedBy
  713:         self.aq_parent.lockedBy=self.REQUEST['AUTHENTICATED_USER']
  714: 
  715:         self.content_type="application/octet-stream"
  716:         self.REQUEST.RESPONSE.redirect(self.absolute_url())
  717:     
  718:     security.declarePublic('getVersionNumber')                                              
  719:     def getVersionNumber(self):
  720:         """get version"""
  721:         return self.versionNumber
  722: 
  723:     security.declarePublic('getVersionComment')                                              
  724:     def getVersionComment(self):
  725:         """get version"""
  726:         return self.versionComment
  727: 
  728:     security.declarePublic('lastEditor')                                              	
  729:     def lastEditor(self):
  730:         """last Editor"""
  731:         if hasattr(self,'author'):
  732:             try:
  733:                 ret=self.author.replace("-","\n")
  734:             except:#old version of versionded file sometimes stored the user object and not only the name the following corrects this
  735:                 ret=str(self.author).replace("-","\n")
  736:             ret=ret.replace("\r","\n")
  737:             return ret.lstrip().rstrip()
  738: 
  739:         else:
  740:             jar=self._p_jar
  741:             oid=self._p_oid
  742: 
  743:             if jar is None or oid is None: return None
  744: 
  745:             return jar.db().history(oid)[0]['user_name']
  746:     
  747:         
  748: manage_addextVersionedFileObjectForm=DTMLFile('dtml/fileAdd', globals(),Kind='extVersionedFileObject',kind='extVersionedFileObject', version='1')
  749: 
  750: def manage_addextVersionedFileObject(self,id,vC='',author='', file='',title='',versionNumber=0,
  751:                                      precondition='', content_type='', REQUEST=None):
  752:     """Add a new File object.
  753: 
  754:     Creates a new File object 'id' with the contents of 'file'"""
  755: 
  756:     id=str(id)
  757:     title=str(title)
  758:     content_type=str(content_type)
  759:     precondition=str(precondition)
  760:     
  761:     id, title = cookId(id, title, file)
  762: 
  763:     self=self.this()
  764: 
  765:     # First, we create the file without data:
  766:     self._setObject(id, extVersionedFileObject(id,title,versionNumber=versionNumber,versionComment=str(vC),author=author))
  767:     fob = self._getOb(id)
  768:     
  769:     # Now we "upload" the data.  By doing this in two steps, we
  770:     # can use a database trick to make the upload more efficient.
  771:     if file:
  772:         fob.manage_upload(file)
  773:     if content_type:
  774:         fob.content_type=content_type
  775: 
  776:     if REQUEST is not None:
  777:         REQUEST['RESPONSE'].redirect(self.absolute_url()+'/manage_main')
  778: 
  779: 
  780: 
  781: class extVersionedFile(CatalogAware,Folder):
  782:     """Versioniertes File"""
  783: 
  784:     meta_type = 'extVersionedFile'
  785:     # meta_type of contained objects
  786:     content_meta_type = ['extVersionedFileObject']
  787:     # default catalog for extVersionedFile objects
  788:     default_catalog = 'fileCatalog'
  789:     
  790:     manage_options = Folder.manage_options+({'label':'Main Config','action':'changeVersionedFileForm'},)
  791: 
  792:     
  793:     security=ClassSecurityInfo()   
  794:     
  795:     def __init__(self, id, title, lockedBy,author):
  796:         """init"""
  797:         self.id=id
  798:         self.title=title
  799:         self.lockedBy=lockedBy
  800:         self.author=author
  801:         self.lastVersionNumber=0
  802:         self.lastVersionId=None
  803: 
  804:     security.declarePublic('getTitle')
  805:     def getTitle(self):
  806:         """get title"""
  807:         return self.title
  808:     
  809:     def PrincipiaSearchSource(self):
  810:         """Return cataloguable key for ourselves."""
  811:         return str(self)
  812: 
  813:     def manageImagesForm(self):
  814:         """manage Images attached to the file"""
  815: 
  816:         self.REQUEST.SESSION['refer']=self.REQUEST['HTTP_REFERER']
  817:         
  818:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','manageImage')).__of__(self)
  819:         return pt()
  820: 
  821:     def manageImages(self,imageUrl=None,caption=None,REQUEST=None):
  822:         """manage URL"""
  823:         if imageUrl and (not imageUrl==""):
  824:             manage_AddImageZogiLib(self,libPath=imageUrl,caption=caption)
  825: 
  826:         if self.REQUEST.SESSION.has_key('refer'):
  827: 
  828:             return REQUEST.RESPONSE.redirect(self.REQUEST.SESSION['refer'])
  829:         return REQUEST.RESPONSE.redirect(self.aq_parent.absolute_url())
  830:     
  831:     def changeImages(self,caption=None,submit=None,id=None,REQUEST=None):
  832:         """manage URL"""
  833:         if submit=="change caption":
  834:             image=self.ZopeFind(self,obj_ids=[id])
  835:             if image:
  836:                 image[0][1].caption=caption[0:]
  837:         
  838:         elif submit=="delete":
  839:             image=self.ZopeFind(self,obj_ids=[id])
  840:             if image:
  841:                 self.manage_delObjects([image[0][1].getId()])
  842: 
  843:         if self.REQUEST.SESSION.has_key('refer'):
  844:             return REQUEST.RESPONSE.redirect(self.REQUEST.SESSION['refer'])
  845: 
  846:         return REQUEST.RESPONSE.redirect(self.aq_parent.absolute_url())
  847: 
  848:     def getImages(self):
  849:         """get Images"""
  850:         images=self.ZopeFind(self,obj_metatypes=["ImageZogiLib"])
  851:         if not images:
  852:             return None
  853:         else:
  854:             return images
  855:         
  856:     security.declarePublic('getComment')
  857:     def getComment(self):
  858:         """get the comment of this file"""
  859:         if not hasattr(self,'comment') or (not self.comment) or (self.comment.lstrip()==""):
  860:             return "Add comment"
  861:         else:
  862:             return self.comment
  863: 
  864:     def manageCommentForm(self):
  865:         """add a comment"""
  866:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','addComment')).__of__(self)
  867:         return pt()
  868: 
  869:     def manageComment(self,text,comment_author,submit,REQUEST=None):
  870:         """manage comments"""
  871:         if submit =='change':
  872:             if text=='':
  873:                 self.comment=None
  874:             else:
  875:                 self.comment=text
  876:                 self.comment_author=comment_author
  877: 
  878:                 self.comment_date=time.strftime("%Y-%m-%d %H:%M:%S",time.localtime())
  879: 
  880:         return REQUEST.RESPONSE.redirect(self.aq_parent.absolute_url())
  881:     
  882:     security.declarePublic('getLastChangeDate')
  883:     def getLastChangeDate(self):
  884:         """get last change date"""
  885:         lv=self.getContentObject()
  886:         if lv:
  887:             time=lv.getTime()
  888:             return time
  889:         return None
  890:     
  891:     def getLastEditor(self):
  892:         """get last change date"""
  893:         lv=self.getContentObject()
  894:         le=lv.lastEditor()
  895:         return le
  896:     
  897:     def getLockedBy(self):
  898:         """get locked by"""
  899:         return str(self.lockedBy)
  900:     
  901:     def getLastVersionNumber(self):
  902:         """returns the highest version number of all included objects"""
  903:         lv = self.findLastVersion()
  904:         if lv:
  905:             return lv.getVersionNumber()
  906:         else:
  907:             return 0
  908: 
  909:     def findLastVersion(self):
  910:         """finds and returns the object with the highest version number"""
  911:         lvn=0
  912:         lv=None
  913:         
  914:         for v in self.objectValues(self.content_meta_type):
  915:             logging.debug("findlastversion: check %s"%v.getId())
  916:             if v.getVersionNumber() > lvn:
  917:                     lvn=v.getVersionNumber()
  918:                     lv=v
  919:         
  920:         if lv:
  921:             logging.debug("findlastversion: got %s"%lv.getId())
  922:         return lv
  923: 
  924:     security.declarePublic('getLastVersion')
  925:     def getLastVersion(self):
  926:         """Last Version (old)"""
  927:         tmp=0
  928:         lv=None
  929:         
  930:         for v in self.objectValues(self.content_meta_type):
  931:             logging.debug("getlastversion: check %s"%v.getId())
  932:             if v.getVersionNumber() > tmp:
  933:                     tmp=v.getVersionNumber()
  934:                     lv=v
  935:         
  936:         logging.debug("getlastversion: got %s"%lv.getId())
  937:         return lv
  938: 
  939:     def getContentObject(self):
  940:         """returns the last version object"""
  941:         if not getattr(self, 'lastVersionId', None):
  942:             # find last version and save it
  943:             lv = self.findLastVersion()
  944:             if lv is None:
  945:                 return None
  946:             self.lastVersionNumber = lv.getVersionNumber()
  947:             self.lastVersionId = lv.getId()
  948:             
  949:         return getattr(self, self.lastVersionId, None)
  950: 
  951:     security.declarePublic('getData')
  952:     def getData(self):
  953:         """Returns the content of the last version"""
  954:         ob = self.getContentObject()
  955:         if ob is not None:
  956:             return ob.getData()
  957:         else:
  958:             return None
  959:     
  960:     security.declarePublic('view')
  961:     def view(self,REQUEST=None,RESPONSE=None):
  962:         """Returns the last version's view"""
  963:         ob = self.getContentObject()
  964:         if ob is not None:
  965:             return ob.view(REQUEST=REQUEST,RESPONSE=RESPONSE)
  966:         else:
  967:             return None
  968:     
  969:     def diff(self,data):
  970:         """differenz between lastversion and data"""
  971:         d=Differ()
  972:         tmp=self.getData()
  973:         #print "XX",data,tmp
  974:         try:
  975:             l=list(d.compare(data.splitlines(1),tmp.splitlines(1)))
  976:         except:
  977:             return 0,""
  978:         plus=0
  979:         minus=0
  980:         for a in l:
  981:             if a[0]=='+':
  982:                 plus+=1
  983:             if a[0]=='-':
  984:                 minus+=1
  985:         
  986:         return max([plus,minus]),l
  987: 
  988: 
  989:     security.declarePublic('index_html')
  990:     def index_html(self):
  991:         """main view"""
  992:         #lastVersion=self.getContentObject()
  993:         #return "File:"+self.title+"  Version:%i"%lastVersion.versionNumber," modified:",lastVersion.bobobase_modification_time()," size:",lastVersion.getSize(),"modified by:",lastVersion.lastEditor()
  994:         #return "File: %s Version:%i modified:%s size:%s modified by:%s"%(self.title,lastVersion.versionNumber,lastVersion.getTime(),lastVersion.getSize(),lastVersion.lastEditor())
  995:         return self.history()
  996: 
  997:     
  998:     security.declarePublic('getVersion')                                              
  999:     def getVersion(self):
 1000:         # TODO: this is ugly and it returns the next version number 
 1001:         tmp=0
 1002:         for version in self.ZopeFind(self):
 1003:             
 1004:             if hasattr(version[1],'versionNumber'):
 1005:                 
 1006:                 if int(version[1].versionNumber) > tmp:
 1007:                     tmp=int(version[1].versionNumber,)
 1008:         return tmp+1        
 1009: 
 1010:     def history(self):
 1011:         """history"""  
 1012:         ext=self.ZopeFind(self.aq_parent,obj_ids=["history_template.html"])
 1013:         if ext:
 1014:             return getattr(self,ext[0][1].getId())()
 1015:         
 1016:         pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','versionHistory')).__of__(self)
 1017:         return pt()
 1018: 
 1019:     def getVersions(self):
 1020:         """get all versions"""
 1021:         ret=[]
 1022:         for version in self.ZopeFind(self):
 1023:             if hasattr(version[1],'versionNumber'):
 1024:                 ret.append((version[1].versionNumber,version[1]))
 1025:         ret.sort(sortv)
 1026:         return ret
 1027: 
 1028:     def getVersionList(self):
 1029:         """get a list of dicts with author, comment, filename, etc, of all versions"""
 1030:         vl = []
 1031:         for v in self.objectValues(self.content_meta_type):
 1032:             vl.append({'versionNumber':getattr(v,'versionNumber',0),
 1033:                       'title':v.getTitle(),
 1034:                       'id':v.getId(),
 1035:                       'date':v.getTime(),
 1036:                       'author':getattr(v,'author',''),
 1037:                       'comment':getattr(v,'versionComment','')
 1038:                       })
 1039:         return vl
 1040: 
 1041:     security.declareProtected('AUTHENTICATED_USER','forceunlock')   
 1042:     def forceunlock(self,RESPONSE=None):
 1043:         """unlock"""
 1044:         #safe who had the lock
 1045:         if self.lockedBy:
 1046:             self.brokenLock=str(self.lockedBy)
 1047:         else:
 1048:             self.brokenLock=""
 1049:         self.lockedBy=''
 1050:         return self.brokenLock
 1051: 
 1052:     security.declareProtected('AUTHENTICATED_USER','unlock')   
 1053:     def unlock(self,RESPONSE):
 1054:         """unlock"""
 1055:         if str(self.lockedBy) in [str(self.REQUEST['AUTHENTICATED_USER'])]:
 1056:             self.lockedBy=''
 1057:             RESPONSE.redirect(self.REQUEST['HTTP_REFERER'])
 1058:         else:
 1059:             return "Sorry, not locked by you! (%s,%s)"%(self.lockedBy,self.REQUEST['AUTHENTICATED_USER'])
 1060:         
 1061:     
 1062:     def _newContentObject(self, id, title='', versionNumber=0, versionComment=None, time=None, author=None):
 1063:         """factory for content objects. to be overridden in derived classes."""
 1064:         return extVersionedFileObject(id,title,versionNumber=versionNumber,versionComment=versionComment,time=time,author=author)
 1065: 
 1066: 
 1067:     def addContentObject(self,id,vC,author=None,file=None,title='',changeName='no',newName='',from_tmp=False,index=True,
 1068:                          precondition='', content_type=''):
 1069:         """add"""
 1070:         
 1071:         if changeName=="yes":
 1072:             filename=file.filename
 1073:             self.title=filename[max(filename.rfind('/'),
 1074:                                     filename.rfind('\\'),
 1075:                                     filename.rfind(':'),
 1076:                                     )+1:]
 1077: 
 1078:         if not newName=='':
 1079:             self.title=newName[0:]
 1080:         
 1081:         posVersNum=getattr(self,'positionVersionNum','front')
 1082:         
 1083:         versNum = self.getLastVersionNumber() + 1
 1084:         
 1085:         if posVersNum=='front':
 1086:             id="V%i_%s"%(versNum,self.title)
 1087:         else:
 1088:             fn=os.path.splitext(self.title)
 1089:             if len(fn)>1:
 1090:                 id=fn[0]+"_V%i%s"%(versNum,fn[1])
 1091:             else:
 1092:                 id=fn[0]+"_V%i"%versNum
 1093: 
 1094:         # what does this do?
 1095:         id, title = cookId(id, title, file)
 1096:         self=self.this()
 1097:     
 1098:         # First, we create the file without data:
 1099:         self._setObject(id, self._newContentObject(id,title,versionNumber=versNum,versionComment=str(vC),
 1100:                                               time=time.localtime(),author=author))
 1101:         fob = self._getOb(id)
 1102:         
 1103:         # Now we "upload" the data.  By doing this in two steps, we
 1104:         # can use a database trick to make the upload more efficient.
 1105:         if file and not from_tmp:
 1106:             fob.manage_upload(file)
 1107:         elif file and from_tmp:
 1108:             fob.manage_file_upload(file) # manage_upload_from_tmp doesn't exist in ExtFile2
 1109:         #    fob.manage_upload_from_tmp(file) # manage_upload_from_tmp doesn't exist in ExtFile2
 1110:         fob.content_type=content_type
 1111:         
 1112:         self.lastVersionNumber = versNum
 1113:         self.lastVersionId = id
 1114:         
 1115:         #logging.debug("addcontentobject: lastversion=%s"%self.getData())
 1116:         #logging.debug("addcontentobject: fob_data=%s"%fob.getData())
 1117:         if index and self.default_catalog:
 1118:             logging.debug("reindex1: %s in %s"%(repr(self),repr(self.default_catalog)))
 1119:             self.reindex_object()
 1120:         
 1121:         return fob
 1122:             
 1123:     
 1124:     security.declareProtected('AUTHENTICATED_USER','addVersionedFileObjectForm')
 1125:     def addVersionedFileObjectForm(self):
 1126:         """add a new version"""
 1127:         
 1128:         if str(self.REQUEST['AUTHENTICATED_USER']) in ["Anonymous User"]:
 1129:             return "please login first"
 1130:         if (self.lockedBy==self.REQUEST['AUTHENTICATED_USER']) or (self.lockedBy==''):
 1131:             ext=self.ZopeFind(self.aq_parent,obj_ids=["addNewVersion.dtml"])
 1132:             if ext:
 1133:                 return ext[0][1]('',globals(),version=self.getVersion(),lastComment=self.getContentObject().getVersionComment(),AUTHENTICATED_USER=self.REQUEST.AUTHENTICATED_USER)
 1134:             else:
 1135:                 out=DTMLFile('dtml/fileAdd', globals(),Kind='VersionedFileObject',kind='versionedFileObject',version=self.getVersion()).__of__(self)
 1136:                 return out()
 1137:         else:
 1138:             return "Sorry file is locked by somebody else"
 1139: 
 1140:         
 1141:     def manage_addVersionedFileObject(self,id,vC,author,file='',title='',precondition='', content_type='',changeName='no',newName='', from_tmp=False, RESPONSE=None):
 1142:         """add"""
 1143:         try: #der ganze vC unsinn muss ueberarbeitet werden
 1144:             vC=self.REQUEST['vC']
 1145:         except:
 1146:             pass
 1147:         
 1148:         author=self.REQUEST['author']
 1149: 
 1150:         ob = self.addContentObject(id, vC, author, file, title, changeName=changeName, newName=newName, from_tmp=from_tmp,
 1151:                                    precondition=precondition, content_type=content_type)
 1152:             
 1153:         self.REQUEST.SESSION['objID_parent']=self.getId()
 1154: 
 1155:         if RESPONSE:
 1156:             if ob.getSize()==0:
 1157:                 self.REQUEST.SESSION['objID']=ob.getId()
 1158:                 pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','errorUploadFile')).__of__(self)
 1159:                 return pt()
 1160: 
 1161:             else:
 1162:                 RESPONSE.redirect(self.absolute_url()+'/history')
 1163:         else:
 1164:             return ob
 1165: 
 1166: 
 1167:     changeVersionedFileForm = PageTemplateFile('zpt/changeVersionedFile', globals())
 1168:     
 1169:     def manage_changeVersionedFile(self,title,vC,author,comment,RESPONSE=None):
 1170:         """Change VersionedFile metadata"""
 1171:         self.title = title
 1172:         self.author = author
 1173:         cob = self.getContentObject()
 1174:         if cob:
 1175:             if vC:
 1176:                 cob.vComment=vC
 1177: 
 1178:             if comment=='':
 1179:                 cob.versionComment=None
 1180:             else:
 1181:                 cob.versionComment=comment
 1182: 
 1183:         if RESPONSE:
 1184:             RESPONSE.redirect('manage_main')
 1185: 
 1186:         
 1187:     def download(self):
 1188:         """download"""
 1189:         self.REQUEST.RESPONSE.setHeader("Content-Disposition","""attachement; filename=%s"""%self.getContentObject().getId())
 1190:         self.REQUEST.RESPONSE.setHeader("Content-Type","application/octet-stream")
 1191:         self.content_type="application/octet-stream"
 1192:         self.REQUEST.RESPONSE.redirect(self.REQUEST['URL1']+'/'+self.getId()+'/'+self.getContentObject().getId())
 1193: 
 1194:     
 1195:     security.declareProtected('AUTHENTICATED_USER','downloadLocked')    
 1196:     def downloadLocked(self):
 1197:         """download and lock"""
 1198: 
 1199:         if repr(self.REQUEST['AUTHENTICATED_USER'])=='Anonymous User':
 1200:             return "please login first"
 1201:         if not self.lockedBy=="":
 1202:             return "cannot be locked because is already locked by %s"%self.lockedBy
 1203:         self.lockedBy=self.REQUEST['AUTHENTICATED_USER']
 1204:         self.getContentObject().content_type="application/octet-stream"
 1205:         self.REQUEST.RESPONSE.redirect(self.REQUEST['URL1']+'/'+self.getId()+'/'+self.getContentObject().getId())
 1206:     
 1207: 
 1208:     security.declareProtected('AUTHENTICATED_USER','fixVersionNumbers')    
 1209:     def fixVersionNumbers(self):
 1210:         """check last version number and id"""
 1211:         if not hasattr(self, 'lastVersionId'):
 1212:             self.lastVersionNumber = 0
 1213:             self.lastVersionId = None
 1214:             
 1215:         lv = self.getContentObject()
 1216:         if lv is not None:
 1217:             lvn = lv.getVersionNumber()
 1218:             if lvn == 0:
 1219:                 lvn = 1
 1220:                 lv.versionNumber = 1
 1221:             self.lastVersionNumber = lvn
 1222:             self.lastVersionId = lv.getId()
 1223:         else:
 1224:             self.lastVersionNumber = 0
 1225:             self.lastVersionId = None
 1226:         logging.debug("fixing last version number of %s to %s (%s)"%(self.getId(),self.lastVersionNumber,self.lastVersionId))
 1227:     
 1228:     
 1229: def manage_addextVersionedFileForm(self):
 1230:     """interface for adding the OSAS_root"""
 1231:     pt=PageTemplateFile(os.path.join(package_home(globals()),'zpt','addextVersionedFile.zpt')).__of__(self)
 1232:     return pt()
 1233: 
 1234: def manage_addextVersionedFile(self,id,title,lockedBy, author=None, RESPONSE=None):
 1235:     """add the OSAS_root"""
 1236:     newObj=extVersionedFile(id,title,lockedBy,author)
 1237:     self._setObject(id,newObj)
 1238:     
 1239:     if RESPONSE is not None:
 1240:         RESPONSE.redirect('manage_main')
 1241: 
 1242: 
 1243: InitializeClass(extVersionedFile)
 1244: InitializeClass(extVersionedFileFolder)

FreeBSD-CVSweb <freebsd-cvsweb@FreeBSD.org>