loops/browser/resource.py
helmutm 828dfda5c5 work in progress: object actions, stateful resources: classification quality
git-svn-id: svn://svn.cy55.de/Zope3/src/loops/trunk@2538 fd906abe-77d9-0310-91a1-e0d9ade77398
2008-04-23 08:39:17 +00:00

342 lines
12 KiB
Python

#
# Copyright (c) 2007 Helmut Merz helmutm@cy55.de
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
#
"""
View class for resource objects.
$Id$
"""
import urllib
from zope.cachedescriptors.property import Lazy
from zope import component
from zope.app.catalog.interfaces import ICatalog
from zope.app.container.interfaces import INameChooser
from zope.app.form.browser.textwidgets import FileWidget
from zope.app.pagetemplate import ViewPageTemplateFile
from zope.app.security.interfaces import IUnauthenticatedPrincipal
from zope.formlib.form import FormFields
from zope.formlib.interfaces import DISPLAY_UNWRITEABLE
from zope.proxy import removeAllProxies
from zope.schema.interfaces import IBytes
from zope.security import canAccess, canWrite
from zope.security.proxy import removeSecurityProxy
from zope.traversing.api import getName, getParent
from zope.traversing.browser import absoluteURL
from cybertools.browser.action import actions
from cybertools.typology.interfaces import IType
from cybertools.xedit.browser import ExternalEditorView, fromUnicode
from loops.browser.action import DialogAction, TargetAction
from loops.browser.common import EditForm, BaseView
from loops.browser.concept import ConceptRelationView, ConceptConfigureView
from loops.browser.node import NodeView, node_macros
from loops.common import adapted, NameChooser
from loops.interfaces import IBaseResource, IDocument, IMediaAsset, ITextDocument
from loops.interfaces import ITypeConcept
from loops.organize.stateful.browser import statefulActions
from loops.versioning.browser import version_macros
from loops.versioning.interfaces import IVersionable
from loops.util import _
class CustomFileWidget(FileWidget):
def hasInput(self):
if not self.request.form.get(self.name):
return False
return True
class ResourceEditForm(EditForm):
@property
def typeInterface(self):
return IType(self.context).typeInterface
@property
def form_fields(self):
fields = FormFields(IBaseResource)
typeInterface = self.typeInterface
if typeInterface is not None:
omit = [f for f in typeInterface if f in IBaseResource]
fields = FormFields(fields.omit(*omit), typeInterface)
dataField = fields['data']
if IBytes.providedBy(dataField.field):
dataField.custom_widget = CustomFileWidget
return fields
def setUpWidgets(self, ignore_request=False):
super(ResourceEditForm, self).setUpWidgets(ignore_request)
desc = self.widgets.get('description')
if desc:
desc.height = 2
class DocumentEditForm(EditForm):
form_fields = FormFields(IDocument)
for f in form_fields:
f.render_context |= DISPLAY_UNWRITEABLE
class MediaAssetEditForm(EditForm):
form_fields = FormFields(IMediaAsset)
class ResourceView(BaseView):
template = ViewPageTemplateFile('resource_macros.pt')
@property
def macro(self):
if 'image/' in self.context.contentType:
return self.template.macros['image']
else:
return self.template.macros['download']
def __init__(self, context, request):
super(ResourceView, self).__init__(context, request)
if not IUnauthenticatedPrincipal.providedBy(self.request.principal):
cont = self.controller
if cont is not None:
if list(self.relatedConcepts()):
cont.macros.register('portlet_right', 'related',
title=_(u'Related Items'),
subMacro=self.template.macros['related'],
priority=20, info=self)
versionable = IVersionable(self.context, None)
if versionable is not None and len(versionable.versions) > 1:
cont.macros.register('portlet_right', 'versions',
title='Version ' + versionable.versionId,
subMacro=version_macros.macros['portlet_versions'],
priority=25, info=self)
@Lazy
def view(self):
context = self.context
tp = IType(context).typeProvider
if tp:
viewName = ITypeConcept(tp).viewName
if viewName:
return component.queryMultiAdapter((context, self.request),
name=viewName)
ct = context.contentType
#if ct.startswith('text/') and ct != 'text/rtf':
ti = IType(context).typeInterface
if (not ti or issubclass(ti, ITextDocument)
or (ct.startswith('text/') and ct != 'text/rtf')):
return DocumentView(context, self.request)
return self
def show(self, useAttachment=False):
""" show means: "download"..."""
context = self.context
ti = IType(context).typeInterface
if ti is not None:
context = ti(context)
data = context.data
response = self.request.response
response.setHeader('Content-Type', context.contentType)
response.setHeader('Content-Length', len(data))
ct = context.contentType
#if useAttachment or (not ct.startswith('image/') and ct != 'application/pdf'):
if useAttachment:
filename = adapted(self.context).localFilename or getName(self.context)
#filename = urllib.quote(filename)
filename = NameChooser(getParent(self.context)).normalizeName(filename)
response.setHeader('Content-Disposition',
'attachment; filename=%s' % filename)
return data
def download(self):
""" Force download, e.g. of a PDF file """
return self.show(True)
@property
def viewable(self):
return True
ct = self.context.contentType
return ct.startswith('image/') or ct == 'application/pdf'
# actions
def getPortletActions(self, page=None):
actions = []
actions.append(DialogAction(self, title='Edit Resource...',
description='Modify resource object.',
viewName='edit_object.html', dialogName='edit',
page=page))
return actions
def getObjectActions(self, page=None):
acts = ['info']
acts.extend('state.' + st for st in statefulActions)
if self.xeditable:
acts.append('external_edit')
return actions.get('object', acts, view=self, page=page)
actions = dict(portlet=getPortletActions, object=getObjectActions)
# relations
def concepts(self):
for r in self.context.getConceptRelations():
yield ConceptRelationView(r, self.request)
def relatedConcepts(self):
for c in self.concepts():
if c.isProtected: continue
yield c
def clients(self):
for node in self.context.getClients():
yield NodeView(node, self.request)
class ResourceRelationView(ResourceView, ConceptRelationView):
def __init__(self, relation, request, contextIsSecond=False):
ConceptRelationView.__init__(self, relation, request, contextIsSecond)
class ResourceConfigureView(ResourceView, ConceptConfigureView):
#def __init__(self, context, request):
# # avoid calling ConceptView.__init__()
# ResourceView.__init__(self, context, request)
def update(self):
request = self.request
action = request.get('action')
if action is None:
return True
if action == 'create':
self.createAndAssign()
return True
tokens = request.get('tokens', [])
for token in tokens:
parts = token.split(':')
token = parts[0]
if len(parts) > 1:
relToken = parts[1]
concept = self.loopsRoot.loopsTraverse(token)
if action == 'assign':
predicate = request.get('predicate') or None
order = int(request.get('order') or 0)
relevance = float(request.get('relevance') or 1.0)
if predicate:
predicate = removeSecurityProxy(
self.loopsRoot.loopsTraverse(predicate))
self.context.assignConcept(removeSecurityProxy(concept), predicate,
order, relevance)
elif action == 'remove':
predicate = self.loopsRoot.loopsTraverse(relToken)
self.context.deassignConcept(concept, [predicate])
return True
def search(self):
request = self.request
if request.get('action') != 'search':
return []
searchTerm = request.get('searchTerm', None)
searchType = request.get('searchType', None)
result = []
if searchTerm or searchType != 'none':
criteria = {}
if searchTerm:
criteria['loops_title'] = searchTerm
if searchType:
if searchType.endswith('*'):
start = searchType[:-1]
end = start + '\x7f'
else:
start = end = searchType
criteria['loops_type'] = (start, end)
cat = component.getUtility(ICatalog)
result = cat.searchResults(**criteria)
# TODO: can this be done in a faster way?
result = [r for r in result if r.getLoopsRoot() == self.loopsRoot]
else:
result = self.loopsRoot.getConceptManager().values()
if searchType == 'none':
result = [r for r in result if r.conceptType is None]
return self.viewIterator(result)
class DocumentView(ResourceView):
@property
def macro(self):
return ResourceView.template.macros['render']
@Lazy
def view(self): return self
def render(self):
""" Return the rendered content (data) of the context object.
"""
ctx = adapted(self.context)
text = ctx.data
contentType = ctx.contentType
return self.renderText(ctx.data, ctx.contentType)
@Lazy
def inlineEditable(self):
return (self.inlineEditingActive
and self.context.contentType == 'text/html'
and canWrite(self.context, 'data'))
class ExternalEditorView(ExternalEditorView):
def load(self, url=None):
#context = removeSecurityProxy(self.context)
context = self.context
data = adapted(context).data
r = []
context = removeSecurityProxy(context)
r.append('url:' + (url or absoluteURL(context, self.request)))
r.append('content_type:' + str(context.contentType))
r.append('meta_type:' + '.'.join((context.__module__, context.__class__.__name__)))
auth = self.request.get('_auth')
if auth:
print 'ExternalEditorView: auth = ', auth
if auth.endswith('\n'):
auth = auth[:-1]
r.append('auth:' + auth)
cookie = self.request.get('HTTP_COOKIE','')
if cookie:
r.append('cookie:' + cookie)
r.append('')
r.append(data)
result = '\n'.join(r)
self.setHeaders(len(result))
return fromUnicode(result)
class NoteView(DocumentView):
@property
def macro(self):
return ResourceView.template.macros['render_note']
@property
def linkUrl(self):
ad = self.typeAdapter
return ad and ad.linkUrl or ''