/usr/share/pyshared/zope/traversing/namespace.py is in python-zope.traversing 3.14.0-0ubuntu1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 | ##############################################################################
#
# Copyright (c) 2001, 2002 Zope Foundation and Contributors.
# All Rights Reserved.
#
# This software is subject to the provisions of the Zope Public License,
# Version 2.1 (ZPL). A copy of the ZPL should accompany this distribution.
# THIS SOFTWARE IS PROVIDED "AS IS" AND ANY AND ALL EXPRESS OR IMPLIED
# WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
# WARRANTIES OF TITLE, MERCHANTABILITY, AGAINST INFRINGEMENT, AND FITNESS
# FOR A PARTICULAR PURPOSE.
#
##############################################################################
"""URL Namespace Implementations
"""
__docformat__ = 'restructuredtext'
import re
import zope.component
import zope.interface
from zope.i18n.interfaces import IModifiableUserPreferredLanguages
from zope.component.interfaces import ComponentLookupError
from zope.interface import providedBy, directlyProvides, directlyProvidedBy
from zope.location.interfaces import IRoot, LocationError
from zope.publisher.interfaces.browser import IBrowserSkinType
from zope.publisher.skinnable import applySkin
from zope.security.proxy import removeSecurityProxy
from zope.traversing.interfaces import IEtcNamespace
from zope.traversing.interfaces import IPathAdapter
from zope.traversing.interfaces import ITraversable
class UnexpectedParameters(LocationError):
"Unexpected namespace parameters were provided."
class ExcessiveDepth(LocationError):
"Too many levels of containment. We don't believe them."
def namespaceLookup(ns, name, object, request=None):
"""Lookup a value from a namespace
We look up a value using a view or an adapter, depending on
whether a request is passed.
Let's start with adapter-based transersal:
>>> class I(zope.interface.Interface):
... 'Test interface'
>>> class C(object):
... zope.interface.implements(I)
We'll register a simple testing adapter:
>>> class Adapter(object):
... def __init__(self, context):
... self.context = context
... def traverse(self, name, remaining):
... return name+'42'
>>> zope.component.provideAdapter(Adapter, (I,), ITraversable, 'foo')
Then given an object, we can traverse it with a
namespace-qualified name:
>>> namespaceLookup('foo', 'bar', C())
'bar42'
If we give an invalid namespace, we'll get a not found error:
>>> namespaceLookup('fiz', 'bar', C()) # doctest: +ELLIPSIS
Traceback (most recent call last):
...
LocationError: (<zope.traversing.namespace.C object at 0x...>, '++fiz++bar')
We'll get the same thing if we provide a request:
>>> from zope.publisher.browser import TestRequest
>>> request = TestRequest()
>>> namespaceLookup('foo', 'bar', C(), request) # doctest: +ELLIPSIS
Traceback (most recent call last):
...
LocationError: (<zope.traversing.namespace.C object at 0x...>, '++foo++bar')
We need to provide a view:
>>> class View(object):
... def __init__(self, context, request):
... pass
... def traverse(self, name, remaining):
... return name+'fromview'
>>> from zope.traversing.testing import browserView
>>> browserView(I, 'foo', View, providing=ITraversable)
>>> namespaceLookup('foo', 'bar', C(), request)
'barfromview'
Clean up:
>>> from zope.testing.cleanup import cleanUp
>>> cleanUp()
"""
if request is not None:
traverser = zope.component.queryMultiAdapter((object, request),
ITraversable, ns)
else:
traverser = zope.component.queryAdapter(object, ITraversable, ns)
if traverser is None:
raise LocationError(object, "++%s++%s" % (ns, name))
return traverser.traverse(name, ())
namespace_pattern = re.compile('[+][+]([a-zA-Z0-9_]+)[+][+]')
def nsParse(name):
"""Parse a namespace-qualified name into a namespace name and a
name. Returns the namespace name and a name.
A namespace-qualified name is usually of the form ++ns++name, as in:
>>> nsParse('++acquire++foo')
('acquire', 'foo')
The part inside the +s must be an identifier, so:
>>> nsParse('++hello world++foo')
('', '++hello world++foo')
>>> nsParse('+++acquire+++foo')
('', '+++acquire+++foo')
But it may also be a @@foo, which implies the view namespace:
>>> nsParse('@@foo')
('view', 'foo')
>>> nsParse('@@@foo')
('view', '@foo')
>>> nsParse('@foo')
('', '@foo')
"""
ns = ''
if name.startswith('@@'):
ns = 'view'
name = name[2:]
else:
match = namespace_pattern.match(name)
if match:
prefix, ns = match.group(0, 1)
name = name[len(prefix):]
return ns, name
def getResource(site, name, request):
resource = queryResource(site, name, request)
if resource is None:
raise LocationError(site, name)
return resource
def queryResource(site, name, request, default=None):
resource = zope.component.queryAdapter(request, name=name)
if resource is None:
return default
# We need to set the __parent__ and __name__. We need the unproxied
# resource to do this. We still return the proxied resource.
r = removeSecurityProxy(resource)
r.__parent__ = site
r.__name__ = name
return resource
# ---- namespace processors below ----
class SimpleHandler(object):
zope.interface.implements(ITraversable)
def __init__(self, context, request=None):
"""Simple handlers can be used as adapters or views
They ignore their second constructor arg and store the first
one in their context attr:
>>> SimpleHandler(42).context
42
>>> SimpleHandler(42, 43).context
42
"""
self.context = context
class acquire(SimpleHandler):
"""Traversal adapter for the acquire namespace
"""
def traverse(self, name, remaining):
"""Acquire a name
Let's set up some example data:
>>> class testcontent(object):
... zope.interface.implements(ITraversable)
... def traverse(self, name, remaining):
... v = getattr(self, name, None)
... if v is None:
... raise LocationError(self, name)
... return v
... def __repr__(self):
... return 'splat'
>>> ob = testcontent()
>>> ob.a = 1
>>> ob.__parent__ = testcontent()
>>> ob.__parent__.b = 2
>>> ob.__parent__.__parent__ = testcontent()
>>> ob.__parent__.__parent__.c = 3
And acquire some names:
>>> adapter = acquire(ob)
>>> adapter.traverse('a', ())
1
>>> adapter.traverse('b', ())
2
>>> adapter.traverse('c', ())
3
>>> adapter.traverse('d', ())
Traceback (most recent call last):
...
LocationError: (splat, 'd')
"""
i = 0
ob = self.context
while i < 200:
i += 1
traversable = ITraversable(ob, None)
if traversable is not None:
try:
# ??? what do we do if the path gets bigger?
path = []
next = traversable.traverse(name, path)
if path:
continue
except LocationError:
pass
else:
return next
ob = getattr(ob, '__parent__', None)
if ob is None:
raise LocationError(self.context, name)
raise ExcessiveDepth(self.context, name)
class attr(SimpleHandler):
def traverse(self, name, ignored):
"""Attribute traversal adapter
This adapter just provides traversal to attributes:
>>> ob = {'x': 1}
>>> adapter = attr(ob)
>>> adapter.traverse('keys', ())()
['x']
"""
return getattr(self.context, name)
class item(SimpleHandler):
def traverse(self, name, ignored):
"""Item traversal adapter
This adapter just provides traversal to items:
>>> ob = {'x': 42}
>>> adapter = item(ob)
>>> adapter.traverse('x', ())
42
"""
return self.context[name]
class etc(SimpleHandler):
def traverse(self, name, ignored):
utility = zope.component.queryUtility(IEtcNamespace, name)
if utility is not None:
return utility
ob = self.context
if name not in ('site',):
raise LocationError(ob, name)
method_name = "getSiteManager"
method = getattr(ob, method_name, None)
if method is None:
raise LocationError(ob, name)
try:
return method()
except ComponentLookupError:
raise LocationError(ob, name)
class view(object):
zope.interface.implements(ITraversable)
def __init__(self, context, request):
self.context = context
self.request = request
def traverse(self, name, ignored):
view = zope.component.queryMultiAdapter((self.context, self.request),
name=name)
if view is None:
raise LocationError(self.context, name)
return view
class resource(view):
def traverse(self, name, ignored):
# The context is important here, since it becomes the parent of the
# resource, which is needed to generate the absolute URL.
return getResource(self.context, name, self.request)
class lang(view):
def traverse(self, name, ignored):
self.request.shiftNameToApplication()
languages = IModifiableUserPreferredLanguages(self.request)
languages.setPreferredLanguages([name])
return self.context
class skin(view):
def traverse(self, name, ignored):
self.request.shiftNameToApplication()
try:
skin = zope.component.getUtility(IBrowserSkinType, name)
except ComponentLookupError:
raise LocationError("++skin++%s" % name)
applySkin(self.request, skin)
return self.context
class vh(view):
def traverse(self, name, ignored):
request = self.request
traversal_stack = request.getTraversalStack()
app_names = []
name = name.encode('utf8')
if name:
try:
proto, host, port = name.split(":")
except ValueError:
raise ValueError("Vhost directive should have the form "
"++vh++protocol:host:port")
request.setApplicationServer(host, proto, port)
if '++' in traversal_stack:
segment = traversal_stack.pop()
while segment != '++':
app_names.append(segment)
segment = traversal_stack.pop()
request.setTraversalStack(traversal_stack)
else:
raise ValueError(
"Must have a path element '++' after a virtual host "
"directive.")
request.setVirtualHostRoot(app_names)
return self.context
class adapter(SimpleHandler):
def traverse(self, name, ignored):
"""Adapter traversal adapter
This adapter provides traversal to named adapters registered
to provide IPathAdapter.
To demonstrate this, we need to register some adapters:
>>> def adapter1(ob):
... return 1
>>> def adapter2(ob):
... return 2
>>> zope.component.provideAdapter(
... adapter1, (None,), IPathAdapter, 'a1')
>>> zope.component.provideAdapter(
... adapter2, (None,), IPathAdapter, 'a2')
Now, with these adapters in place, we can use the traversal adapter:
>>> ob = object()
>>> adapter = adapter(ob)
>>> adapter.traverse('a1', ())
1
>>> adapter.traverse('a2', ())
2
>>> try:
... adapter.traverse('bob', ())
... except LocationError:
... print 'no adapter'
no adapter
Clean up:
>>> from zope.testing.cleanup import cleanUp
>>> cleanUp()
"""
try:
return zope.component.getAdapter(self.context, IPathAdapter, name)
except ComponentLookupError:
raise LocationError(self.context, name)
class debug(view):
def traverse(self, name, ignored):
"""Debug traversal adapter
This adapter allows debugging flags to be set in the request.
See IDebugFlags.
Setup for demonstration:
>>> from zope.publisher.browser import TestRequest
>>> request = TestRequest()
>>> ob = object()
>>> adapter = debug(ob, request)
in debug mode, ++debug++source enables source annotations
>>> request.debug.sourceAnnotations
False
>>> adapter.traverse('source', ()) is ob
True
>>> request.debug.sourceAnnotations
True
++debug++tal enables TAL markup in output
>>> request.debug.showTAL
False
>>> adapter.traverse('tal', ()) is ob
True
>>> request.debug.showTAL
True
++debug++errors enables tracebacks (by switching to debug skin)
>>> from zope.publisher.interfaces.browser import IBrowserRequest
>>> class Debug(IBrowserRequest):
... pass
>>> directlyProvides(Debug, IBrowserSkinType)
>>> zope.component.provideUtility(
... Debug, IBrowserSkinType, name='Debug')
>>> Debug.providedBy(request)
False
>>> adapter.traverse('errors', ()) is ob
True
>>> Debug.providedBy(request)
True
You can specify several flags separated by commas
>>> adapter.traverse('source,tal', ()) is ob
True
Unknown flag names cause exceptions
>>> try:
... adapter.traverse('badflag', ())
... except ValueError:
... print 'unknown debugging flag'
unknown debugging flag
"""
if __debug__:
request = self.request
for flag in name.split(','):
if flag == 'source':
request.debug.sourceAnnotations = True
elif flag == 'tal':
request.debug.showTAL = True
elif flag == 'errors':
# TODO: I am not sure this is the best solution. What
# if we want to enable tracebacks when also trying to
# debug a different skin?
skin = zope.component.getUtility(IBrowserSkinType, 'Debug')
directlyProvides(request, providedBy(request)+skin)
else:
raise ValueError("Unknown debug flag: %s" % flag)
return self.context
else:
raise ValueError("Debug flags only allowed in debug mode")
if not __debug__:
# If not in debug mode, we should get an error:
traverse.__doc__ = """Disabled debug traversal adapter
This adapter allows debugging flags to be set in the request,
but it is disabled because Python was run with -O.
Setup for demonstration:
>>> from zope.publisher.browser import TestRequest
>>> request = TestRequest()
>>> ob = object()
>>> adapter = debug(ob, request)
in debug mode, ++debug++source enables source annotations
>>> request.debug.sourceAnnotations
False
>>> adapter.traverse('source', ()) is ob
Traceback (most recent call last):
...
ValueError: Debug flags only allowed in debug mode
++debug++tal enables TAL markup in output
>>> request.debug.showTAL
False
>>> adapter.traverse('tal', ()) is ob
Traceback (most recent call last):
...
ValueError: Debug flags only allowed in debug mode
++debug++errors enables tracebacks (by switching to debug skin)
>>> Debug.providedBy(request)
False
>>> adapter.traverse('errors', ()) is ob
Traceback (most recent call last):
...
ValueError: Debug flags only allowed in debug mode
You can specify several flags separated by commas
>>> adapter.traverse('source,tal', ()) is ob
Traceback (most recent call last):
...
ValueError: Debug flags only allowed in debug mode
"""
|