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
|
"""
A macro mechanism primarily for string replacement in resource descriptors.
"""
#c Copyright 2008-2020, the GAVO project
#c
#c This program is free software, covered by the GNU GPL. See the
#c COPYING file in the source distribution.
import datetime
import re
import urllib.request, urllib.parse, urllib.error
from gavo import utils
from gavo.base import attrdef
from gavo.base import common
from gavo.base import complexattrs
from gavo.base import config
from gavo.base import meta
from gavo.base import osinter
from gavo.base import structure
from gavo.utils.parsetricks import (
ZeroOrMore, Forward,
Regex, Suppress,
Literal, pyparsingWhitechars)
class MacroError(common.StructureError):
"""is raised when something bad happens during macro expansion.
It is constructed with an error message, a macro name, and optionally
a hint and a position.
"""
def __init__(self, message, macroName, hint=None, pos=None):
common.StructureError.__init__(
self, macroName+" failed", pos=pos, hint=hint)
self.args = [message, macroName, hint, pos]
self.macroName, self.message = macroName, message
def __str__(self):
return "Error during macro expansion: %s"%(
self.message)
class MacroExpander(object):
"""is a generic "macro" expander for scripts of all kinds.
It is loosely inspired by TeX, but of course much simpler. See the
syntax below.
The macros themselves come from a MacroPackage object. There are
a few of these around, implementing different functionality depending
on the script context (i.e., whether it belongs to an RD, a DD, or
a Table.
All macros are just functions receiving and returning strings. The
arguments are written as {arg1}{arg2}, where you can escape curly
braces with a backslash. There must be no whitespace between
a macro and its first argument.
If you need to glue together a macro expansion and text following,
use the glue sequence \\+
The main entry point to the class is the expand function below,
taking a string possibly containing macro calls and returning
a string.
The construction of such a macro expander is relatively expensive,
so it pays to cache them. MacroPackage below has a getExpander
method that does the caching for you.
"""
def __init__(self, package):
self.package = package
self._macroGrammar = self._getMacroGrammar()
def _execMacro(self, s, loc, toks):
toks = toks.asList()
macName, args = toks[0], toks[1:]
return self.package.execMacro(macName, args)
def expand(self, aString):
return utils.pyparseTransform(self._macroGrammar, aString)
def _getMacroGrammar(self, debug=False):
with pyparsingWhitechars(" \t"):
macro = Forward()
quoteEscape = (Literal("\\{").addParseAction(lambda *args: "{") |
Literal("\\}").addParseAction(lambda *args: "}"))
charRun = Regex(r"[^}\\]+").leaveWhitespace()
argElement = macro | quoteEscape | charRun
argument = Suppress("{") + ZeroOrMore(argElement) + Suppress("}")
argument.addParseAction(lambda s, pos, toks: "".join(toks))
arguments = ZeroOrMore(argument)
arguments.setWhitespaceChars("")
macroName = Regex("[A-Za-z_][A-Za-z_0-9]+")
macroName.setWhitespaceChars("")
macro << Suppress( "\\" ) + macroName + arguments
macro.addParseAction(self._execMacro)
literalBackslash = Literal("\\\\")
literalBackslash.addParseAction(lambda *args: "\\")
suppressedLF = Literal("\\\n")
suppressedLF.addParseAction(lambda *args: " ")
glue = Literal("\\+")
glue.addParseAction(lambda *args: "")
return literalBackslash | suppressedLF | glue | macro
class ExpansionDelegator(object):
"""A mixin to make a class expand macros by delegating everything to
its parent.
This is intended for base.Structures that have a parent attribute;
by mixing this in, they use their parents to expand macros for them.
"""
def expand(self, aString):
return self.parent.expand(aString)
class MacroPackage(object):
r"""is a function dispatcher for MacroExpander.
Basically, you inherit from this class and define macro_xxx functions.
MacroExpander can then call \xxx, possibly with arguments.
"""
def __findMacro(self, macName):
fun = getattr(self, "macro_"+macName, None)
if fun is not None:
return fun
if hasattr(self, "rd"):
fun = getattr(self.rd, "macro_"+macName, None)
if fun is not None:
return fun
raise MacroError(
"No macro \\%s available in a %s context"%(
macName, self.__class__.__name__),
macName, hint="%s objects have the following macros: %s."%(
self.__class__.__name__, ", ".join(self.listMacros())))
def listMacros(self):
return [n[6:] for n in dir(self) if n.startswith("macro_")]
def execMacro(self, macName, args):
fun = self.__findMacro(macName)
try:
return fun(*args)
except TypeError:
raise utils.logOldExc(MacroError(
"Invalid macro arguments to \\%s: %s"%(macName, args), macName,
hint="You supplied too few or too many arguments"))
except utils.Error:
raise
except Exception as msg:
argRepr = "}{".join(utils.safe_str(a) for a in args)
if argRepr:
argRepr = "{%s}"%argRepr
raise utils.logOldExc(MacroError(
"While expanding macro \\%s%s: %s"%(macName, argRepr, msg),
macName,
hint="This means that the code dealing with your arguments"
" was throroughly confused by what you passed. If you really"
" cannot see why it was, file a bug."))
def getExpander(self):
try:
return self.__macroExpander
except AttributeError:
self.__macroExpander = MacroExpander(self)
return self.getExpander()
def expand(self, stuff):
return self.getExpander().expand(stuff)
def macro_quote(self, arg):
"""returns the argument in quotes (with internal quotes backslash-escaped
if necessary).
"""
return '"%s"'%(arg.replace('"', '\\"'))
def macro_sqlquote(self, arg):
"""returns the argument as a quoted string, unless it is 'NULL' or
None, in which case just NULL is returned.
"""
if arg is None or arg=='NULL':
return "NULL"
return "'%s'"%arg.replace("'", "''")
def macro_sql_standardPubDID(self, fromCol="accref"):
"""returns a SQL expression returning a DaCHS standard pubDID generated
from the accref (or something overridden) column.
This is convenient in obscore or ssa views when the underlying table
just has accrefs. If your code actually uses the pubDID to search
in the table (and it probably shouldn't), better use an actual column
and index it.
"""
auth = config.get("ivoa", "authority")
return "'ivo://%s/~?' || gavo_urlescape(%s)"%(
auth.replace("'", "''"),
fromCol)
def macro_reSub(self, pattern, replacement, string):
"""returns the string with the python RE pattern replaced with
replacement.
This is directly handed through to python re.sub, so you can (but
probably shouldn't) play all the RE tricks you can in python (e.g.,
back references).
If you find yourself having to use reSub, you should regard that as
an alarm sign that you're probably doing it wrong.
Oh: closing curly braces can be included in the argument by
backslash-escaping them.
"""
return re.sub(pattern, replacement, string)
class StandardMacroMixin(MacroPackage):
"""is a mixin providing some macros for scripting's MacroExpander.
The class mixing in needs to provide its resource descriptor in the
rd attribute.
"""
def macro_magicEmpty(self, val):
"""returns __EMPTY__ if val is empty.
This is necessary when feeding possibly empty params from mixin
parameters (don't worry if you don't understand this).
"""
if val:
return val
else:
return "__EMPTY__"
def macro_rdId(self):
"""the identifier of the current resource descriptor.
"""
return self.rd.sourceId
def macro_rdIdDotted(self):
"""the identifier for the current resource descriptor with slashes replaced
with dots (so they work as the "host part" in URIs.
"""
return self.rd.sourceId.replace("/", ".")
def macro_schema(self):
"""the schema of the current resource descriptor.
"""
return self.rd.schema
def macro_RSTservicelink(self, serviceId, title=None):
"""a link to an internal service; id is <rdId>/<serviceId>/<renderer>,
title, if given, is the anchor text.
The result is a link in the short form for restructured test.
"""
if title is None:
title = serviceId
return "`%s <%s>`_"%(title, osinter.makeSitePath(serviceId))
def macro_RSTtable(self, tableName):
"""adds an reStructured test link to a tableName pointing to its table
info.
"""
return "`%s <%s>`_"%(tableName,
osinter.makeSitePath("tableinfo/%s"%tableName))
def macro_internallink(self, relPath):
"""an absolute URL from a path relative to the DC root.
"""
return osinter.makeAbsoluteURL(relPath, canonical=True)
def macro_urlquote(self, string):
"""wraps urllib.quote.
"""
return urllib.parse.quote(string)
def macro_today(self):
"""today's date in ISO representation.
"""
return str(datetime.date.today())
def macro_getConfig(self, section, name=None):
"""the current value of configuration item {section}{name}.
You can also only give one argument to access settings from the
general section.
"""
if name is None:
section, name = "general", section
val = config.get(section, name)
if isinstance(val, str):
return val
else:
return str(val)
def macro_metaString(self, metaKey, default=None):
"""the value of metaKey on the macro expander.
This will raise an error when the meta Key is not available unless
you give a default. It will also raise an error if metaKey is not
atomic (i.e., single-valued). Use metaSeq for meta items that
may have multiple values.
Because it's sometimes useful, if the expander itself doesn't
have metadat, this goes up in the RD tree until it finds something
that has metadata.
"""
mc = self
while mc and not hasattr(mc, "getMeta"):
mc = mc.parent
try:
try:
val = mc.getMeta(metaKey, raiseOnFail=True)
except meta.NoMetaKey:
if default is not None:
return default
raise
return val.getContent(macroPackage=self
).replace("\n", " ") # undo default line breaking
except meta.MetaError as exc:
exc.carrier = self
exc.key = metaKey
if hasattr(self, "getSourcePosition"):
exc.pos = self.getSourcePosition()
raise
def macro_metaSeq(self, metaKey, default='', joiner=', '):
"""returns all values of metaKey on the current macro expander joined
by joiner.
This will be an empty string if there is no corresponding metadata (or
default, if passed).
"""
vals = list(self.iterMeta(metaKey, propagate=True))
if vals:
return joiner.join(str(val) for val in vals)
else:
return default
def macro_upper(self, aString):
"""returns aString uppercased.
There's no guarantees for characters outside ASCII.
"""
return aString.upper()
def macro_lower(self, aString):
"""returns aString lowercased.
There's no guarantees for characters outside ASCII.
"""
return aString.lower()
def macro_decapitalize(self, aString):
"""returns aString with the first character lowercased.
"""
if aString:
return aString[0].lower()+aString[1:]
def macro_test(self, *args):
"""always "test macro expansion".
"""
return "test macro expansion"
class MacDef(structure.Structure):
"""A macro definition within an RD.
The macro defined is available on the parent; macros are expanded
within the parent (behaviour is undefined if you try a recursive expansion).
"""
name_ = "macDef"
_name = attrdef.UnicodeAttribute("name", description="Name the macro"
" will be available as", copyable=True, default=utils.Undefined)
_content = structure.DataContent(description="Replacement text of the"
" macro")
def validate(self):
self._validateNext(MacDef)
if len(self.name)<2:
raise common.LiteralParseError("name", self.name, hint=
"Macro names must have at least two characters.")
def onElementComplete(self):
self._onElementCompleteNext(MacDef)
self.content_ = self.parent.expand(self.content_)
def mac():
return self.content_
setattr(self.parent, "macro_"+self.name, mac)
def MacDefAttribute(**kwargs):
return complexattrs.StructListAttribute("macDefs", childFactory=MacDef,
**kwargs)
|