Annotation of versionedFile/extVersionedFile.py, revision 1.34

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

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