/usr/share/doc/python-contract/examples/itpl.py is in python-contract 1.4-4.
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 | """String interpolation for Python (by Ka-Ping Yee, 14 Feb 2000).
This module lets you quickly and conveniently interpolate values into
strings (in the flavour of Perl or Tcl, but with less extraneous
punctuation). You get a bit more power than in the other languages,
because this module allows subscripting, slicing, function calls,
attribute lookup, or arbitrary expressions. Variables and expressions
are evaluated in the namespace of the caller.
The itpl() function returns the result of interpolating a string, and
printpl() prints out an interpolated string. Here are some examples:
from Itpl import printpl
printpl("Here is a $string.")
printpl("Here is a $module.member.")
printpl("Here is an $object.member.")
printpl("Here is a $functioncall(with, arguments).")
printpl("Here is an ${arbitrary + expression}.")
printpl("Here is an $array[3] member.")
printpl("Here is a $dictionary['member'].")
The filter() function filters a file object so that output through it
is interpolated. This lets you produce the illusion that Python knows
how to do interpolation:
import Itpl
sys.stdout = Itpl.filter()
f = "fancy"
print "Isn't this $f?"
print "Standard output has been replaced with a $sys.stdout object."
sys.stdout = Itpl.unfilter()
print "Okay, back $to $normal."
Under the hood, the Itpl class represents a string that knows how to
interpolate values. An instance of the class parses the string once
upon initialization; the evaluation and substitution can then be done
each time the instance is evaluated with str(instance). For example:
from Itpl import Itpl
s = Itpl("Here is $foo.")
foo = 5
print str(s)
foo = "bar"
print str(s)
"""
import sys, string
from types import StringType
from tokenize import tokenprog
class ItplError(ValueError):
def __init__(self, text, pos):
self.text = text
self.pos = pos
def __str__(self):
return "unfinished expression in %s at char %d" % (
repr(self.text), self.pos)
def matchorfail(text, pos):
match = tokenprog.match(text, pos)
if match is None:
raise ItplError(text, pos)
return match, match.end()
class Itpl:
"""Class representing a string with interpolation abilities.
Upon creation, an instance works out what parts of the format
string are literal and what parts need to be evaluated. The
evaluation and substitution happens in the namespace of the
caller when str(instance) is called."""
def __init__(self, format):
"""The single argument to this constructor is a format string.
The format string is parsed according to the following rules:
1. A dollar sign and a name, possibly followed by any of:
- an open-paren, and anything up to the matching paren
- an open-bracket, and anything up to the matching bracket
- a period and a name
any number of times, is evaluated as a Python expression.
2. A dollar sign immediately followed by an open-brace, and
anything up to the matching close-brace, is evaluated as
a Python expression.
3. Outside of the expressions described in the above two rules,
two dollar signs in a row give you one literal dollar sign."""
if type(format) != StringType:
raise TypeError, "needs string initializer"
self.format = format
namechars = "abcdefghijklmnopqrstuvwxyz" \
"ABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789_";
chunks = []
pos = 0
while 1:
dollar = string.find(format, "$", pos)
if dollar < 0: break
nextchar = format[dollar+1]
if nextchar == "{":
chunks.append((0, format[pos:dollar]))
pos, level = dollar+2, 1
while level:
match, pos = matchorfail(format, pos)
tstart, tend = match.regs[3]
token = format[tstart:tend]
if token == "{": level = level+1
elif token == "}": level = level-1
chunks.append((1, format[dollar+2:pos-1]))
elif nextchar in namechars:
chunks.append((0, format[pos:dollar]))
match, pos = matchorfail(format, dollar+1)
while pos < len(format):
if format[pos] == "." and \
pos+1 < len(format) and format[pos+1] in namechars:
match, pos = matchorfail(format, pos+1)
elif format[pos] in "([":
pos, level = pos+1, 1
while level:
match, pos = matchorfail(format, pos)
tstart, tend = match.regs[3]
token = format[tstart:tend]
if token[0] in "([": level = level+1
elif token[0] in ")]": level = level-1
else: break
chunks.append((1, format[dollar+1:pos]))
else:
chunks.append((0, format[pos:dollar+1]))
pos = dollar + 1 + (nextchar == "$")
if pos < len(format): chunks.append((0, format[pos:]))
self.chunks = chunks
def __repr__(self):
return "<Itpl " + repr(self.format) + ">"
def __str__(self):
"""Evaluate and substitute the appropriate parts of the string."""
try: 1/0
except: frame = sys.exc_traceback.tb_frame
while frame.f_globals["__name__"] == __name__: frame = frame.f_back
loc, glob = frame.f_locals, frame.f_globals
result = []
for live, chunk in self.chunks:
if live: result.append(str(eval(chunk, loc, glob)))
else: result.append(chunk)
return string.join(result, "")
def itpl(text): return str(Itpl(text))
def printpl(text): print itpl(text)
class ItplFile:
"""A file object that filters each write() through an interpolator."""
def __init__(self, file): self.file = file
def __repr__(self): return "<interpolated " + repr(self.file) + ">"
def __getattr__(self, attr): return getattr(self.file, attr)
def write(self, text): self.file.write(str(Itpl(text)))
def filter(file=sys.stdout):
"""Return an ItplFile that filters writes to the given file object.
'file = filter(file)' replaces 'file' with a filtered object that
has a write() method. When called with no argument, this creates
a filter to sys.stdout."""
return ItplFile(file)
def unfilter(ifile=None):
"""Return the original file that corresponds to the given ItplFile.
'file = unfilter(file)' undoes the effect of 'file = filter(file)'.
'sys.stdout = unfilter()' undoes the effect of 'sys.stdout = filter()'."""
return ifile and ifile.file or sys.stdout.file
|