Annotation of versionedFile/extVersionedFile.py, revision 1.36

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

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