/usr/lib/python2.7/dist-packages/chameleon/tales.py is in python-chameleon 2.24-1.
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 | import re
import sys
from .astutil import parse
from .astutil import store
from .astutil import load
from .astutil import ItemLookupOnAttributeErrorVisitor
from .codegen import TemplateCodeGenerator
from .codegen import template
from .codegen import reverse_builtin_map
from .astutil import Builtin
from .astutil import Symbol
from .exc import ExpressionError
from .utils import resolve_dotted
from .utils import Markup
from .utils import ast
from .tokenize import Token
from .parser import substitute
from .compiler import Interpolator
try:
from .py26 import lookup_attr
except SyntaxError:
from .py25 import lookup_attr
split_parts = re.compile(r'(?<!\\)\|')
match_prefix = re.compile(r'^\s*([a-z][a-z0-9\-_]*):').match
re_continuation = re.compile(r'\\\s*$', re.MULTILINE)
try:
from __builtin__ import basestring
except ImportError:
basestring = str
def resolve_global(value):
name = reverse_builtin_map.get(value)
if name is not None:
return Builtin(name)
return Symbol(value)
def test(expression, engine=None, **env):
if engine is None:
engine = SimpleEngine()
body = expression(store("result"), engine)
module = ast.Module(body)
module = ast.fix_missing_locations(module)
env['rcontext'] = {}
source = TemplateCodeGenerator(module).code
code = compile(source, '<string>', 'exec')
exec(code, env)
result = env["result"]
if isinstance(result, basestring):
result = str(result)
return result
def transform_attribute(node):
return template(
"lookup(object, name)",
lookup=Symbol(lookup_attr),
object=node.value,
name=ast.Str(s=node.attr),
mode="eval"
)
class TalesExpr(object):
"""Base class.
This class helps implementations for the Template Attribute
Language Expression Syntax (TALES).
The syntax evaluates one or more expressions, separated by '|'
(pipe). The first expression that succeeds, is returned.
Expression:
expression := (type ':')? line ('|' expression)?
line := .*
Expression lines may not contain the pipe character unless
escaped. It has a special meaning:
If the expression to the left of the pipe fails (raises one of the
exceptions listed in ``catch_exceptions``), evaluation proceeds to
the expression(s) on the right.
Subclasses must implement ``translate`` which assigns a value for
a given expression.
>>> class PythonPipeExpr(TalesExpr):
... def translate(self, expression, target):
... compiler = PythonExpr(expression)
... return compiler(target, None)
>>> test(PythonPipeExpr('foo | bar | 42'))
42
>>> test(PythonPipeExpr('foo|42'))
42
"""
exceptions = NameError, \
ValueError, \
AttributeError, \
LookupError, \
TypeError
ignore_prefix = True
def __init__(self, expression):
self.expression = expression
def __call__(self, target, engine):
remaining = self.expression
assignments = []
while remaining:
if self.ignore_prefix and match_prefix(remaining) is not None:
compiler = engine.parse(remaining)
assignment = compiler.assign_value(target)
remaining = ""
else:
for m in split_parts.finditer(remaining):
expression = remaining[:m.start()]
remaining = remaining[m.end():]
break
else:
expression = remaining
remaining = ""
expression = expression.replace('\\|', '|')
assignment = self.translate_proxy(engine, expression, target)
assignments.append(assignment)
if not assignments:
if not remaining:
raise ExpressionError("No input:", remaining)
assignments.append(
self.translate_proxy(engine, remaining, target)
)
for i, assignment in enumerate(reversed(assignments)):
if i == 0:
body = assignment
else:
body = [ast.TryExcept(
body=assignment,
handlers=[ast.ExceptHandler(
type=ast.Tuple(
elts=map(resolve_global, self.exceptions),
ctx=ast.Load()),
name=None,
body=body,
)],
)]
return body
def translate_proxy(self, engine, *args):
"""Default implementation delegates to ``translate`` method."""
return self.translate(*args)
def translate(self, expression, target):
"""Return statements that assign a value to ``target``."""
raise NotImplementedError(
"Must be implemented by a subclass.")
class PathExpr(TalesExpr):
"""Path expression compiler.
Syntax::
PathExpr ::= Path [ '|' Path ]*
Path ::= variable [ '/' URL_Segment ]*
variable ::= Name
For example::
request/cookies/oatmeal
nothing
here/some-file 2001_02.html.tar.gz/foo
root/to/branch | default
When a path expression is evaluated, it attempts to traverse
each path, from left to right, until it succeeds or runs out of
paths. To traverse a path, it first fetches the object stored in
the variable. For each path segment, it traverses from the current
object to the subobject named by the path segment.
Once a path has been successfully traversed, the resulting object
is the value of the expression. If it is a callable object, such
as a method or class, it is called.
The semantics of traversal (and what it means to be callable) are
implementation-dependent (see the ``translate`` method).
"""
def translate(self, expression, target):
raise NotImplementedError(
"Path expressions are not yet implemented. "
"It's unclear whether a general implementation "
"can be devised.")
class PythonExpr(TalesExpr):
"""Python expression compiler.
>>> test(PythonExpr('2 + 2'))
4
The Python expression is a TALES expression. That means we can use
the pipe operator:
>>> test(PythonExpr('foo | 2 + 2 | 5'))
4
To include a pipe character, use a backslash escape sequence:
>>> test(PythonExpr('\"\|\"'))
'|'
"""
transform = ItemLookupOnAttributeErrorVisitor(transform_attribute)
def parse(self, string):
return parse(string, 'eval').body
def translate(self, expression, target):
# Strip spaces
string = expression.strip()
# Conver line continuations to newlines
string = substitute(re_continuation, '\n', string)
# Convert newlines to spaces
string = string.replace('\n', ' ')
try:
value = self.parse(string)
except SyntaxError:
exc = sys.exc_info()[1]
raise ExpressionError(exc.msg, string)
# Transform attribute lookups to allow fallback to item lookup
self.transform.visit(value)
return [ast.Assign(targets=[target], value=value)]
class ImportExpr(object):
re_dotted = re.compile(r'^[A-Za-z.]+$')
def __init__(self, expression):
self.expression = expression
def __call__(self, target, engine):
string = self.expression.strip().replace('\n', ' ')
value = template(
"RESOLVE(NAME)",
RESOLVE=Symbol(resolve_dotted),
NAME=ast.Str(s=string),
mode="eval",
)
return [ast.Assign(targets=[target], value=value)]
class NotExpr(object):
"""Negates the expression.
>>> engine = SimpleEngine(PythonExpr)
>>> test(NotExpr('False'), engine)
True
>>> test(NotExpr('True'), engine)
False
"""
def __init__(self, expression):
self.expression = expression
def __call__(self, target, engine):
compiler = engine.parse(self.expression)
body = compiler.assign_value(target)
return body + template("target = not target", target=target)
class StructureExpr(object):
"""Wraps the expression result as 'structure'.
>>> engine = SimpleEngine(PythonExpr)
>>> test(StructureExpr('\"<tt>foo</tt>\"'), engine)
'<tt>foo</tt>'
"""
wrapper_class = Symbol(Markup)
def __init__(self, expression):
self.expression = expression
def __call__(self, target, engine):
compiler = engine.parse(self.expression)
body = compiler.assign_value(target)
return body + template(
"target = wrapper(target)",
target=target,
wrapper=self.wrapper_class
)
class IdentityExpr(object):
"""Identity expression.
Exists to demonstrate the interface.
>>> test(IdentityExpr('42'))
42
"""
def __init__(self, expression):
self.expression = expression
def __call__(self, target, engine):
compiler = engine.parse(self.expression)
return compiler.assign_value(target)
class StringExpr(object):
"""Similar to the built-in ``string.Template``, but uses an
expression engine to support pluggable string substitution
expressions.
Expr string:
string := (text | substitution) (string)?
substitution := ('$' variable | '${' expression '}')
text := .*
In other words, an expression string can contain multiple
substitutions. The text- and substitution parts will be
concatenated back into a string.
>>> test(StringExpr('Hello ${name}!'), name='world')
'Hello world!'
In the default configuration, braces may be omitted if the
expression is an identifier.
>>> test(StringExpr('Hello $name!'), name='world')
'Hello world!'
The ``braces_required`` flag changes this setting:
>>> test(StringExpr('Hello $name!', True))
'Hello $name!'
We can escape interpolation using the standard escaping
syntax:
>>> test(StringExpr('\\${name}'))
'\\\${name}'
Multiple interpolations in one:
>>> test(StringExpr(\"Hello ${'a'}${'b'}${'c'}!\"))
'Hello abc!'
Here's a more involved example taken from a javascript source:
>>> result = test(StringExpr(\"\"\"
... function(oid) {
... $('#' + oid).autocomplete({source: ${'source'}});
... }
... \"\"\"))
>>> 'source: source' in result
True
In the above examples, the expression is evaluated using the
dummy engine which just returns the input as a string.
As an example, we'll implement an expression engine which
instead counts the number of characters in the expresion and
returns an integer result.
>>> class engine:
... @staticmethod
... def parse(expression):
... class compiler:
... @staticmethod
... def assign_text(target):
... return [
... ast.Assign(
... targets=[target],
... value=ast.Num(n=len(expression))
... )]
...
... return compiler
This will demonstrate how the string expression coerces the
input to a string.
>>> expr = StringExpr(
... 'There are ${hello world} characters in \"hello world\"')
We evaluate the expression using the new engine:
>>> test(expr, engine)
'There are 11 characters in \"hello world\"'
"""
def __init__(self, expression, braces_required=False):
# The code relies on the expression being a token string
if not isinstance(expression, Token):
expression = Token(expression, 0)
self.translator = Interpolator(expression, braces_required)
def __call__(self, name, engine):
return self.translator(name, engine)
class ProxyExpr(TalesExpr):
braces_required = False
def __init__(self, name, expression, ignore_prefix=True):
super(ProxyExpr, self).__init__(expression)
self.ignore_prefix = ignore_prefix
self.name = name
def translate_proxy(self, engine, expression, target):
translator = Interpolator(expression, self.braces_required)
assignment = translator(target, engine)
return assignment + [
ast.Assign(targets=[target], value=ast.Call(
func=load(self.name),
args=[target],
keywords=[],
starargs=None,
kwargs=None
))
]
class ExistsExpr(object):
"""Boolean wrapper.
Return 0 if the expression results in an exception, otherwise 1.
As a means to generate exceptions, we set up an expression engine
which evaluates the provided expression using Python:
>>> engine = SimpleEngine(PythonExpr)
>>> test(ExistsExpr('int(0)'), engine)
1
>>> test(ExistsExpr('int(None)'), engine)
0
"""
exceptions = AttributeError, LookupError, TypeError, NameError, KeyError
def __init__(self, expression):
self.expression = expression
def __call__(self, target, engine):
ignore = store("_ignore")
compiler = engine.parse(self.expression)
body = compiler.assign_value(ignore)
classes = map(resolve_global, self.exceptions)
return [
ast.TryExcept(
body=body,
handlers=[ast.ExceptHandler(
type=ast.Tuple(elts=classes, ctx=ast.Load()),
name=None,
body=template("target = 0", target=target),
)],
orelse=template("target = 1", target=target)
)
]
class ExpressionParser(object):
def __init__(self, factories, default):
self.factories = factories
self.default = default
def __call__(self, expression):
m = match_prefix(expression)
if m is not None:
prefix = m.group(1)
expression = expression[m.end():]
else:
prefix = self.default
try:
factory = self.factories[prefix]
except KeyError:
exc = sys.exc_info()[1]
raise LookupError(
"Unknown expression type: %s." % str(exc)
)
return factory(expression)
class SimpleEngine(object):
expression = PythonExpr
def __init__(self, expression=None):
if expression is not None:
self.expression = expression
def parse(self, string):
compiler = self.expression(string)
return SimpleCompiler(compiler, self)
class SimpleCompiler(object):
def __init__(self, compiler, engine):
self.compiler = compiler
self.engine = engine
def assign_text(self, target):
"""Assign expression string as a text value."""
return self._assign_value_and_coerce(target, "str")
def assign_value(self, target):
"""Assign expression string as object value."""
return self.compiler(target, self.engine)
def _assign_value_and_coerce(self, target, builtin):
return self.assign_value(target) + template(
"target = builtin(target)",
target=target,
builtin=builtin
)
|