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 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155
|
"""
The datalink core and its numerous helper classes.
More on this in "Datalink Cores" in the reference documentation.
"""
#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 contextlib
import itertools
import inspect
import os
import urllib.request, urllib.parse, urllib.error
from gavo import base
from gavo import formats
from gavo import rsc
from gavo import rscdef
from gavo import svcs
from gavo import utils
from gavo.formal import nevowc
from gavo.formats import votablewrite
from gavo.protocols import products
from gavo.protocols import soda
from gavo.protocols.soda import (FormatNow, DeliverNow, DatalinkFault,
DEFAULT_SEMANTICS)
from gavo.utils import fitstools
from gavo.utils import pyfits
from gavo.votable import V, modelgroups
from twisted.web import static
MS = base.makeStruct
class ProductDescriptor(object):
"""An encapsulation of information about some "product" (i.e., file).
This is basically equivalent to a line in the product table; the
arguments of the constructor are all available as same-named attributes.
It also has an attribute data defaulting to None. DataGenerators
set it, DataFilters potentially change it.
If you inherit from this method and you have a way to guess the
size of what the descriptor describes, override the estimateSize()
method. The default will return a file size if accessPath points
to an existing file, None otherwise.
"""
data = None
forSemantics = DEFAULT_SEMANTICS
def __init__(self, pubDID, accref, accessPath, mime,
owner=None, embargo=None, sourceTable=None, datalink=None,
preview=None, preview_mime=None):
self.pubDID = pubDID
self.accref, self.accessPath, self.mime = accref, accessPath, mime
self.owner, self.embargo, self.sourceTable = owner, embargo, sourceTable
self.preview, self.previewMime = preview, preview_mime
@classmethod
def fromAccref(cls, pubDID, accref, accrefPrefix=None, **moreKWs):
"""returns a product descriptor for an access reference.
If an accrefPrefix is passed in, an AuthenticationFault (for want
of something better fitting) is returned when the accref doesn't
start with accrefPrefix.
"""
if accrefPrefix and not accref.startswith(accrefPrefix):
return DatalinkFault.AuthenticationFault(pubDID,
"This Datalink service not available"
" with this pubDID", semantics="#this")
kwargs = products.RAccref(accref).productsRow
kwargs.update(moreKWs)
return cls(pubDID, **kwargs)
@contextlib.contextmanager
def currentSemantics(self, sem):
"""sets the default semantics for links and faults generated in
the controlled block to sem.
"""
oldSemantics = self.forSemantics
self.forSemantics = sem
try:
yield
finally:
self.forSemantics = oldSemantics
def estimateSize(self):
if isinstance(self.accessPath, str):
candPath = os.path.join(base.getConfig("inputsDir"), self.accessPath)
try:
return os.path.getsize(candPath)
except:
# fall through to returning None
pass
def makeLink(self, url, **kwargs):
"""returns a LinkDef for this descriptor for url.
kwargs are passed on to LinkDef and include, in particular,
semantics, contentType, contentLength, and description.
"""
if not "semantics" in kwargs:
kwargs["semantics"] = self.forSemantics
return LinkDef(self.pubDID, url, **kwargs)
def makeLinkFromFile(self, localPath, description, semantics=None,
service=None, contentType=None, suppressMissing=False):
"""returns a LinkDef for a local file.
Arguments are as for LinkDef.fromFile, except you don't have
to pass in service if you're using the datalink service itself
to access the file; this method will try to find the service by
itself.
"""
if service is None:
try:
service = inspect.currentframe().f_back.f_locals["self"].parent
except (KeyError, AttributeError):
raise base.StructureError("Cannot infer service for datalink"
" file link. Pass an appropriate service manually.")
if semantics is None:
semantics = self.forSemantics
return LinkDef.fromFile(localPath, description, semantics,
service=service, contentType=None, suppressMissing=suppressMissing)
class FITSProductDescriptor(ProductDescriptor):
"""A SODA descriptor for FITS files.
On top of the normal product descriptor, this has an attribute hdr
containing a copy of the image header, and a method
changingAxis (see there).
There's also an attribute dataIsPristine that must be set to false
if changes have been made. The formatter will spit out the original
data otherwise, ignoring your changes.
Finally, there's a slices attribute provided explained in
soda#fits_doWCSCutout that can be used by data functions running before
it to do cutouts.
The FITSProductDescriptor is constructed like a normal ProductDescriptor.
"""
def __init__(self, *args, **kwargs):
qnd = kwargs.pop("qnd", True)
ProductDescriptor.__init__(self, *args, **kwargs)
self.imageExtind = 0
if qnd and self.imageExtind==0:
with open(os.path.join(
base.getConfig("inputsDir"), self.accessPath), "rb") as f:
self.hdr = utils.readPrimaryHeaderQuick(f,
maxHeaderBlocks=100)
else:
hdus = pyfits.open(os.path.join(
base.getConfig("inputsDir"), self.accessPath))
self.imageExtind = fitstools.fixImageExtind(
hdus, self.imageExtind)
self.hdr = hdus[self.imageExtind].header
hdus.close()
self.slices = []
self.dataIsPristine = True
self._axesTouched = set()
def changingAxis(self, axisIndex, parName):
"""must be called before cutting out along axisIndex.
axIndex is a FITS (1-based) axis index axIndex, parName the name of the
parameter that causes the cutout.
This will simply return if nobody has called changingAxis with that index
before and raise a ValidationError otherwise. Data functions doing a cutout
must call this before doing so; if they don't the cutout will probably be
wrong when two conflicting constraints are given.
"""
if axisIndex in self._axesTouched:
raise base.ValidationError("Attempt to cut out along axis %d that"
" has been modified before."%axisIndex, parName)
self._axesTouched.add(axisIndex)
class DLFITSProductDescriptor(FITSProductDescriptor):
"""A SODA descriptor for FITS files with datalink product paths.
Use is as descClass in //soda#fits_genDesc when the product table
has a datalink as the product.
"""
def __init__(self, *args, **kwargs):
kwargs["accessPath"] = os.path.join(
base.getConfig("inputsDir"),
kwargs["accref"])
FITSProductDescriptor.__init__(self, *args, **kwargs)
def getFITSDescriptor(pubDID, accrefPrefix=None,
cls=FITSProductDescriptor, qnd=False):
"""returns a datalink descriptor for a FITS file.
This is the implementation of fits_genDesc and should probably reused
when making more specialised descriptors.
"""
try:
accref = rscdef.getAccrefFromStandardPubDID(pubDID)
except ValueError:
return DatalinkFault.NotFoundFault(pubDID,
"Not a pubDID from this site.")
return cls.fromAccref(pubDID, accref, accrefPrefix, qnd=qnd)
class _File(static.File):
"""A nevow static.File with a pre-determined type.
"""
def __init__(self, path, mediaType):
static.File.__init__(self, path)
self.type = mediaType
self.encoding = None
class _TemporaryFile(_File):
"""A nevow resource that spits out a file and then deletes it.
This is a helper class for DataFunctions and DataFormatters, available
there as TemporaryFile.
"""
def render(self, request):
request.notifyFinish().addBoth(
self._cleanup)
return _File.render(self, request)
def _cleanup(self, result):
self.remove()
return result
class DescriptorGenerator(rscdef.ProcApp):
"""A procedure application for making product descriptors for PUBDIDs
Despite the name, a descriptor generator has to *return* (not yield)
a descriptor instance. While this could be anything, it is recommended
to derive custom classes from prodocols.datalink.ProductDescrpitor, which
exposes essentially the columns from DaCHS' product table as attributes.
This is what you get when you don't define a descriptor generator
in your datalink core.
The following names are available to the code:
- pubDID -- the pubDID to be resolved
- args -- all the arguments that came in from the web
(these should not ususally be necessary for making the descriptor
and are completely unparsed at this point)
- FITSProductDescriptor -- the base class of FITS product descriptors
- DLFITSProductDescriptor -- the same, just for when the product table
has a datalink.
- ProductDescriptor -- a base class for your own custom descriptors
- DatalinkFault -- use this when flagging failures
- soda -- contents of the soda module for convenience
If you made your pubDID using the ``getStandardPubDID`` rowmaker function,
and you need no additional logic within the descriptor,
the default (//soda#fromStandardPubDID) should do.
If you need to derive custom descriptor classes, you can see the base
class under the name ProductDescriptor; there's also
FITSProductDescriptor and DatalinkFault in each proc's namespace.
If your Descriptor does not actually refer to something in the
product table, it is likely that you want to set the descriptor's
``suppressAutoLinks`` attribute to True. This will stop DaCHS
from attempting to add automatic #this and #preview links.
"""
name_ = "descriptorGenerator"
requiredType = "descriptorGenerator"
formalArgs = "pubDID, args"
additionalNamesForProcs = {
"FITSProductDescriptor": FITSProductDescriptor,
"DLFITSProductDescriptor": DLFITSProductDescriptor,
"ProductDescriptor": ProductDescriptor,
"getFITSDescriptor": getFITSDescriptor,
"DatalinkFault": DatalinkFault,
"soda": soda,
}
class LinkDef(object):
"""A definition of a datalink related document.
These are constructed at least with:
- the pubDID (as a string)
- the access URL (as a string)
In addition, we accept the remaining column names from
`//datalink#dlresponse`_ as keyword arguments.
In particular, do set semantics with a term from
http://www.ivoa.net/rdf/datalink/core. This includes ``#this``, ``#preview``,
``#calibration``, ``#progenitor``, ``#derivation``
"""
def __init__(self, pubDID, accessURL,
serviceType=None,
errorMessage=None,
description=None,
semantics=DEFAULT_SEMANTICS,
contentType=None,
contentLength=None):
ID = pubDID #noflake: used in locals()
del pubDID
self.dlRow = locals()
@classmethod
def fromFile(cls, localPath, description, semantics,
service, contentType=None, suppressMissing=False):
"""constructs a LinkDef based on a local file.
You must give localPath (which may be resdir-relative), description and
semantics are mandatory. ContentType and contentSize will normally be
determined by DaCHS.
You must also pass in the service used to retrieve the file. This
must allow the static renderer and have a staticData property. It should
normally be the datalink service itself, which in a metaMaker
is accessible as self.parent.parent. It is, however, legal
to reference other suitable services (use self.parent.rd.getById or
base.resolveCrossId)
If you pass suppressMissing=True, a link to a non-existing file
will be skipped rather than create a missing datalink.
"""
baseDir = service.rd.resdir
localPath = os.path.join(baseDir, localPath)
pubDID = utils.stealVar("descriptor").pubDID
staticPath = os.path.join(baseDir,
service.getProperty("staticData"))
if not os.path.isfile(localPath):
if suppressMissing:
return None
else:
return DatalinkFault.NotFoundFault(pubDID, "No file"
" for linked item", semantics=semantics, description=description)
elif not os.access(localPath, os.R_OK):
return DatalinkFault.AutorizationFault(pubDID, "Linked"
" item not readable", semantics=semantics, description=description)
try:
svcPath = utils.getRelativePath(localPath, staticPath)
except ValueError:
return LinkDef(pubDID, errorMessage="FatalFault: Linked item"
" not accessible through the given service",
semantics=semantics, description=description)
ext = os.path.splitext(localPath)[-1]
contentType = (contentType
or static.File.contentTypes.get(ext, "application/octet-stream"))
return cls(pubDID,
service.getURL("static")+"/"+svcPath,
description=description, semantics=semantics,
contentType=contentType,
contentLength=os.path.getsize(localPath))
def asDict(self):
"""returns the link definition in a form suitable for ingestion
in //datalink#dlresponse.
"""
return {
"ID": self.dlRow["ID"],
"access_url": self.dlRow["accessURL"],
"service_def": self.dlRow["serviceType"],
"error_message": self.dlRow["errorMessage"],
"description": self.dlRow["description"],
"semantics": self.dlRow["semantics"],
"content_type": self.dlRow["contentType"],
"content_length": self.dlRow["contentLength"]}
class _ServiceDescriptor(object):
"""An internal descriptor for one of our services.
These are serialized into service resources in VOTables.
Basically, these collect input keys, a pubDID, as well as any other
data we might need in service definition.
"""
def __init__(self, pubDID, inputKeys, rendName, description):
self.pubDID, self.inputKeys = pubDID, inputKeys
self.rendName, self.description = rendName, description
if self.pubDID:
# if we're fixed to a specific pubDID, reflect that in the ID
# field -- this is how clients know which dataset to pull
# from datalink documents.
for index, ik in enumerate(self.inputKeys):
if ik.name=="ID":
ik = ik.copy(None)
ik.set(pubDID)
self.inputKeys[index] = ik
def asVOT(self, ctx, accessURL, linkIdTo=None):
"""returns VOTable stanxml for a description of this service.
This is a RESOURCE as required by Datalink.
linkIdTo is used to support data access descriptors embedded
in descovery queries. It is the id of the column containing
the identifiers. SSA can already provide this.
"""
paramsByName, stcSpecs = {}, set()
for param in self.inputKeys:
paramsByName[param.name] = param
if param.stc:
stcSpecs.add(param.stc)
def getIdFor(colRef):
colRef.toParam = True
return ctx.getOrMakeIdFor(paramsByName[colRef.dest],
suggestion=colRef.dest)
res = V.RESOURCE(ID=ctx.getOrMakeIdFor(self, suggestion="proc_svc"),
name="proc_svc", type="meta", utype="adhoc:service")[
V.DESCRIPTION[self.description],
[modelgroups.marshal_STC(ast, getIdFor)[0]
for ast in stcSpecs],
V.PARAM(arraysize="*", datatype="char",
name="accessURL", ucd="meta.ref.url",
value=accessURL)]
standardId = {
"dlasync": "ivo://ivoa.net/std/SODA#async-1.0",
"dlget": "ivo://ivoa.net/std/SODA#sync-1.0"}.get(self.rendName)
if standardId:
res[
V.PARAM(arraysize="*", datatype="char",
name="standardID", value=standardId)]
inputParams = V.GROUP(name="inputParams")
res = res[inputParams]
for ik in self.inputKeys:
param = ctx.addID(ik,
votablewrite.makeFieldFromColumn(ctx, V.PARAM, ik))
if linkIdTo and ik.name=="ID":
param = param(ref=linkIdTo)
inputParams[param]
return res
class MetaMaker(rscdef.ProcApp):
"""A procedure application that generates metadata for datalink services.
The code must be generators (i.e., use yield statements) producing either
svcs.InputKeys or protocols.datalink.LinkDef instances.
metaMaker see the data descriptor of the input data under the name
descriptor.
The data attribute of the descriptor is always None for metaMakers, so
you cannot use anything given there.
Within MetaMakers' code, you can access InputKey, Values, Option, and
LinkDef without qualification, and there's the MS function to build
structures. Hence, a metaMaker returning an InputKey could look like this::
<metaMaker>
<code>
yield MS(InputKey, name="format", type="text",
description="Output format desired",
values=MS(Values,
options=[MS(Option, content_=descriptor.mime),
MS(Option, content_="text/plain")]))
</code>
</metaMaker>
(of course, you should give more metadata -- ucds, better description,
etc) in production).
Note that InputKey-returning MetaMakers cannot rely
on descriptor.pubDID to actually have
a value; in particular SSA may construct cores to produce "direct"
processing datalink descriptors. When you need a pubDID, just return if
descriptor.pubDID is None.
Alternatively, yield link definitions, i.e., rows for the links response.
You will usually define a semantics attribute for the meta maker then
(this lets DaCHS use the right semantics in case something goes wrong),
and you will usually create links from the descriptor so the pubDID will
be right automatically::
<metaMaker semantics="#flat">
<code>
yield descriptor.makeLink(
"http://example.org/flats/master-flat.fits",
contentType="image/fits",
description="The master flat for this epoch",
contentLength=2048x2048*2)
</code>
</metaMaker>
It's ok to yield None; this will suppress a Datalink and is convenient
when some component further down figures out that a link doesn't exist
(e.g., because a file isn't there). Note that in many cases, it's
more helpful to client components to handle such situations by
yielding a DatalinkFault.NotFoundFault.
In addition to the usual names available to ProcApps, meta makers have:
- MS -- function to make DaCHS structures
- InputKey -- the class to make for input parameters
- Values -- the class to make for input parameters' values attributes
- Options -- used by Values
- LinkDef -- a class to define further links within datalink services.
- DatalinkFault -- a container of datalink error generators
- soda -- the soda module.
"""
name_ = "metaMaker"
requiredType = "metaMaker"
formalArgs = "self, descriptor"
additionalNamesForProcs = {
"MS": base.makeStruct,
"InputKey": svcs.InputKey,
"Values": rscdef.Values,
"Option": rscdef.Option,
"LinkDef": LinkDef,
"DatalinkFault": DatalinkFault,
"soda": soda,
}
_semantics = base.UnicodeAttribute("semantics", default=DEFAULT_SEMANTICS,
description="For link-generating metaMakers, the semantics"
" makeLink or makeLinkFromFile will use unless given something else."
" This is also what will be used if the meta maker exceptions out."
" Note that the default is not good and is only set for backwards"
" compatibility. You should override this.",
copyable=True)
class DataFunction(rscdef.ProcApp):
"""A procedure application that generates or modifies data in a processed
data service.
All these operate on the data attribute of the product descriptor.
The first data function plays a special role: It *must* set the data
attribute (or raise some appropriate exception), or a server error will
be returned to the client.
What is returned depends on the service, but typcially it's going to
be a table or products.*Product instance.
Data functions can shortcut if it's evident that further data functions
can only mess up (i.e., if the do something bad with the data attribute);
you should not shortcut if you just *think* it makes no sense to
further process your output.
To shortcut, raise either of FormatNow (falls though to the formatter,
which is usually less useful) or DeliverNow (directly returns the
data attribute; this can be used to return arbitrary chunks of data).
The following names are available to the code:
- descriptor -- whatever the DescriptorGenerator returned
- args -- all the arguments that came in from the web.
In addition to the usual names available to ProcApps, data functions have:
- FormatNow -- exception to raise to go directly to the formatter
- DeliverNow -- exception to raise to skip all further formatting
and just deliver what's currently in descriptor.data
- File(path, type) -- if you just want to return a file on disk, pass
its path and media type to File and assign the result to
descriptor.data.
- TemporaryFile(path,type) -- as File, but the disk file is
unlinked after use
- makeData -- the rsc.makeData function
- soda -- the protocols.soda module
"""
name_ = "dataFunction"
requiredType = "dataFunction"
formalArgs = "descriptor, args"
additionalNamesForProcs = {
"FormatNow": FormatNow,
"DeliverNow": DeliverNow,
"File": _File,
"TemporaryFile": _TemporaryFile,
"makeData": rsc.makeData,
"soda": soda,
}
class DataFormatter(rscdef.ProcApp):
"""A procedure application that renders data in a processed service.
These play the role of the renderer, which for datalink is ususally
trivial. They are supposed to take descriptor.data and return
a pair of (mime-type, bytes), which is understood by most renderers.
When no dataFormatter is given for a core, it will return descriptor.data
directly. This can work with the datalink renderer itself if
descriptor.data will work as a nevow resource (i.e., has a renderHTTP
method, as our usual products do). Consider, though, that renderHTTP
runs in the main event loop and thus most not block for extended
periods of time.
The following names are available to the code:
- descriptor -- whatever the DescriptorGenerator returned
- args -- all the arguments that came in from the web.
In addition to the usual names available to ProcApps, data formatters have:
- Page -- base class for resources with renderHTTP methods.
- IRequest -- the nevow interface to make Request objects with.
- File(path, type) -- if you just want to return a file on disk, pass
its path and media type to File and return the result.
- TemporaryFile(path, type) -- as File, but the disk file is unlinked
after use
- soda -- the protocols.soda module
"""
name_ = "dataFormatter"
requiredType = "dataFormatter"
formalArgs = "descriptor, args"
additionalNamesForProcs = {
"Page": nevowc.TemplatedPage,
"IRequest": lambda arg:arg, # compatibility wrapper
"File": _File,
"TemporaryFile": _TemporaryFile,
"soda": soda,
}
class DatalinkCoreBase(svcs.Core, base.ExpansionDelegator):
"""Basic functionality for datalink cores.
This is pulled out of the datalink core proper as it is used without
the complicated service interface sometimes, e.g., by SSAP.
"""
_descriptorGenerator = base.StructAttribute("descriptorGenerator",
default=base.NotGiven,
childFactory=DescriptorGenerator,
description="Code that takes a PUBDID and turns it into a"
" product descriptor instance. If not given,"
" //soda#fromStandardPubDID will be used.",
copyable=True)
_metaMakers = base.StructListAttribute("metaMakers",
childFactory=MetaMaker,
description="Code that takes a data descriptor and either"
" updates input key options or yields related data.",
copyable=True)
_dataFunctions = base.StructListAttribute("dataFunctions",
childFactory=DataFunction,
description="Code that generates of processes data for this"
" core. The first of these plays a special role in that it"
" must set descriptor.data, the others need not do anything"
" at all.",
copyable=True)
_dataFormatter = base.StructAttribute("dataFormatter",
default=base.NotGiven,
childFactory=DataFormatter,
description="Code that turns descriptor.data into a nevow resource"
" or a mime, content pair. If not given, the renderer will be"
" returned descriptor.data itself (which will probably not usually"
" work).",
copyable=True)
_inputKeys = rscdef.ColumnListAttribute("inputKeys",
childFactory=svcs.InputKey,
description="A parameter to one of the proc apps (data functions,"
" formatters) active in this datalink core; no specific relation"
" between input keys and procApps is supposed; all procApps are passed"
" all argments. Conventionally, you will write the input keys in"
" front of the proc apps that interpret them.",
copyable=True)
rejectExtras = True
def completeElement(self, ctx):
if self.descriptorGenerator is base.NotGiven:
self.descriptorGenerator = MS(DescriptorGenerator,
procDef=base.resolveCrossId("//soda#fromStandardPubDID"))
if self.dataFormatter is base.NotGiven:
self.dataFormatter = MS(DataFormatter,
procDef=base.caches.getRD("//soda").getById("trivialFormatter"))
self.inputKeys.append(MS(svcs.InputKey, name="ID", type="text",
ucd="meta.id;meta.main",
multiplicity="multiple",
std=True,
description="The pubisher DID of the dataset of interest"))
if self.inputTable is base.NotGiven:
self.inputTable = MS(svcs.InputTD, inputKeys=self.inputKeys)
# this is a cheat for service.getTableSet to pick up the datalink
# table. If we fix this for TAP, we should fix it here, too.
self.queriedTable = base.caches.getRD("//datalink").getById(
"dlresponse")
self._completeElementNext(DatalinkCoreBase, ctx)
def getMetaForDescriptor(self, descriptor):
"""returns a pair of linkDefs, inputKeys for a datalink desriptor
and this core.
"""
linkDefs, inputKeys, errors = [], self.inputKeys[:], []
for metaMaker in self.metaMakers:
with descriptor.currentSemantics(metaMaker.semantics):
try:
for item in metaMaker.compile(self)(self, descriptor):
if isinstance(item, LinkDef):
linkDefs.append(item)
elif isinstance(item, DatalinkFault):
errors.append(item)
elif item is None:
pass
else:
inputKeys.append(self.adopt(item))
except Exception as ex:
if base.DEBUG:
base.ui.notifyError("Error in datalink meta generator %s: %s"%(
metaMaker, repr(ex)))
base.ui.notifyError("Failing source: \n%s"%metaMaker.getFuncCode())
errors.append(DatalinkFault.Fault(descriptor.pubDID,
"Unexpected failure while creating"
" datalink: %s"%utils.safe_str(ex),
semantics=descriptor.forSemantics))
return linkDefs, inputKeys, errors
def _iterAutoLinks(self, descriptor, service):
"""yields automatic links for descriptor.
That's #that and #preview unless some special conditions apply.
"""
if (not isinstance(descriptor, ProductDescriptor)
or hasattr(descriptor, "suppressAutoLinks")):
return
# if the accref is a datalink document, go through dlget itself.
if descriptor.mime=="application/x-votable+xml;content=datalink":
if isinstance(descriptor, DLFITSProductDescriptor):
# this is perhaps a bit insane, but I like image/fits
# for non-tabular FITS files, and that's what DLFITS
# deals with.
mediaType = "image/fits"
else:
mediaType = formats.guessMediaType(descriptor.accref),
yield LinkDef(descriptor.pubDID,
service.getURL("dlget")+"?ID=%s"%urllib.parse.quote(
descriptor.pubDID),
description="The full dataset.",
contentType=mediaType,
contentLength=descriptor.estimateSize(),
semantics="#this")
else:
yield LinkDef(descriptor.pubDID,
products.makeProductLink(descriptor.accref),
description="The full dataset.",
contentType=descriptor.mime,
contentLength=descriptor.estimateSize(),
semantics="#this")
if getattr(descriptor, "preview", None):
if descriptor.preview.startswith("http"):
# deliver literal links directly
previewLink = descriptor.preview
else:
# It's either AUTO or a local path; in both cases, let
# the products infrastructure worry about it.
previewLink = products.makeProductLink(
products.RAccref(descriptor.accref,
inputDict={"preview": True}))
yield LinkDef(descriptor.pubDID,
previewLink,
description="A preview for the dataset.",
contentType=descriptor.previewMime,
semantics="#preview")
def getDatalinksResource(self, ctx, service):
"""returns a VOTable RESOURCE element with the data links.
This does not contain the actual service definition elements, but it
does contain references to them.
You must pass in a VOTable context object ctx (for the management
of ids). If this is the entire content of the VOTable, use
votablewrite.VOTableContext() there.
"""
internalLinks = []
internalLinks.extend(
LinkDef(
s.pubDID,
None,
serviceType=ctx.getOrMakeIdFor(s, suggestion="procsvc"),
description=s.description,
semantics="#proc")
for s in self.datalinkEndpoints)
# for all descriptors that are products, make a full dataset
# available through the data access, possibly also adding a preview.
for d in self.descriptors:
for link in self._iterAutoLinks(d, service):
internalLinks.append(link)
data = rsc.makeData(
base.caches.getRD("//datalink").getById("make_response"),
forceSource=self.datalinkLinks+internalLinks+self.errors)
data.setMeta("_type", "results")
return votablewrite.makeResource(
votablewrite.VOTableContext(tablecoding="td"),
data)
class DatalinkCore(DatalinkCoreBase):
"""A core for processing datalink and processed data requests.
The input table of this core is dynamically generated from its
metaMakers; it makes no sense at all to try and override it.
See `Datalink and SODA`_ for more information.
In contrast to "normal" cores, one of these is made (and destroyed)
for each datalink request coming in. This is because the interface
of a datalink service depends on the request's value(s) of ID.
The datalink core can produce both its own metadata and data generated.
It is the renderer's job to tell them apart.
"""
name_ = "datalinkCore"
datalinkType = "application/x-votable+xml;content=datalink"
overflowed = False
# the core will be specially and non-cacheably adapted for these
# renderers (ssap.xml is in here for legacy getData):
datalinkAdaptingRenderers = frozenset([
"form", "dlget", "dlmeta", "dlasync", "ssap.xml"])
def _getPubDIDs(self, args):
"""returns a list of pubDIDs from args["ID"].
args is supposed to be a nevow request.args-like dict, where the PubDIDs
are taken from the ID parameter. If it's atomic, it'll be expanded into
a list. If it's not present, a ValidationError will be raised.
"""
pubDIDs = args.get("ID")
if not pubDIDs:
pubDIDs = []
elif not isinstance(pubDIDs, list):
pubDIDs = [pubDIDs]
return pubDIDs
def adaptForDescriptors(self, renderer, descriptors, maxRec):
"""returns a core for renderer and a sequence of ProductDescriptors.
This method is mainly for helping adaptForRenderer. Do read the
docstring there.
"""
try:
allowedForSvc = set(utils.stealVar("allowedRendsForStealing"))
except ValueError:
allowedForSvc = []
overflowed = False
linkDefs, endpoints, errors = [], [], []
for curInd, descriptor in enumerate(descriptors):
if isinstance(descriptor, DatalinkFault):
errors.append(descriptor)
else:
lds, inputKeys, lerrs = self.getMetaForDescriptor(descriptor)
linkDefs.extend(lds)
errors.extend(lerrs)
# ssap expects the first renderer here to be dlget, so don't
# remove it or move it back.
for rendName in ["dlget", "dlasync"]:
if rendName in allowedForSvc:
endpoints.append(
_ServiceDescriptor(
descriptor.pubDID,
inputKeys,
rendName,
base.getMetaText(self.parent,
"dlget.description",
default="An interactive service on this dataset.")))
if (renderer.name=="dlmeta"
and maxRec is not None
and len(linkDefs)+len(errors)>=maxRec):
descriptors[curInd+1:] = []
overflowed = True
break
# dispatch on whether we're making metadata (case 1) or actual
# data (case 2)
inputKeys = self.inputKeys[:]
if renderer.name=="dlmeta":
pass # RESPONSEFORMAT and friends added through pql#DALIPars
else:
# we're a data generating core; inputKeys are the core's plus
# possibly those of actual processors. Right now, we assume they're
# all the same, so we take the last one as representative
#
# TODO: this restricts the use of the core to dlget and dlasync
# (see endpoint creation above). It's not clear that's what we
# want, as e.g. form may work fine as well.
if not descriptors:
raise base.ValidationError("ID is mandatory with dlget",
"ID")
if endpoints:
inputKeys.extend(endpoints[-1].inputKeys)
if isinstance(descriptors[-1], DatalinkFault):
descriptors[-1].raiseException()
res = self.change(inputTable=MS(svcs.InputTD,
inputKeys=inputKeys, exclusive=True))
# again dispatch on meta or data, this time as regards what to run.
if renderer.name=="dlmeta":
res.run = res.runForMeta
else:
res.run = res.runForData
res.nocache = True
res.datalinkLinks = linkDefs
res.datalinkEndpoints = endpoints
res.descriptors = descriptors
res.errors = errors
res.overflowed = overflowed
return res
def adaptForRenderer(self, renderer, queryMeta):
"""returns a core for a specific product.
The ugly thing about datalink in DaCHS' architecture is that its
interface (in terms of, e.g., inputKeys' values children) depends
on the arguments themselves, specifically the pubDID.
The workaround is to abuse the renderer-specific getCoreFor,
ignore the renderer and instead steal an "args" variable from
somewhere upstack. Nasty, but for now an acceptable solution.
It is particularly important to never let service cache the
cores returned for the dl* renderers; hence to "nocache" magic.
This tries to generate all datalink-relevant metadata in one go
and avoid calling the descriptorGenerator(s) more than once per
pubDID. It therefore adds datalinkLinks, datalinkEndpoints,
and datalinkDescriptors attributes. These are used later
in either metadata generation or data processing.
An additional complication is MAXREC; when adaptForDescriptors
will crop the descriptor list if more than MAXREC links (incl.
errors) are generated if the renderer is dlmeta. On dlget,
MAXREC is ignored; we don't really do multi-ID dlget right
now, anyway.
The latter will in general use only the last pubDID passed in.
Therefore, this last pubDID determines the service interface
for now. Perhaps we should be joining the inputKeys in some way,
though, e.g., if we want to allow retrieving multiple datasets
in a tar file? Or to re-use the same service for all pubdids?
"""
# if we're not speaking real datalink, return right away (this will
# be cached, so this must never happen for actual data)
if not renderer.name in self.datalinkAdaptingRenderers:
return self
try:
args = utils.stealVar("args")
if not isinstance(args, dict):
# again, we're not being called in a context with a pubdid
raise ValueError("No pubdid")
args = utils.CaseSemisensitiveDict(args)
except ValueError:
# no arguments found: decide later on whether to fault out.
args = {"ID": []}
pubDIDs = self._getPubDIDs(args)
descGen = self.descriptorGenerator.compile(self)
descriptors = []
for pubDID in pubDIDs:
try:
desc = descGen(pubDID, args)
if desc is None:
raise base.NotFoundError(pubDID, "dataset",
"this site's data holdings")
if isinstance(desc, DatalinkFault):
# fix non-informational semantics to #this, because
# that's what making a descriptor is almost always about.
if desc.semantics==soda.DEFAULT_SEMANTICS:
desc.semantics = "#this"
descriptors.append(desc)
except svcs.RedirectBase:
# let through redirects even for dlmeta; these are rendered
# further up in the call chain.
raise
except Exception as ex:
# if we're dlget, just let exceptions through (e.g., authentication),
# also with a view to pushing out useful error messages.
if renderer.name!="dlmeta":
raise
else:
# In dlmeta, convert to fault rows.
if isinstance(ex, base.NotFoundError):
descriptors.append(DatalinkFault.NotFoundFault(pubDID,
utils.safe_str(ex), semantics="#this"))
else:
if base.DEBUG:
base.ui.notifyError("Error in datalink descriptor generator: %s"%
utils.safe_str(ex))
descriptors.append(DatalinkFault.Fault(pubDID,
utils.safe_str(ex), semantics="#this"))
return self.adaptForDescriptors(
renderer, descriptors, queryMeta["dbLimit"])
def _iterAccessResources(self, ctx, service):
"""iterates over the VOTable RESOURCE elements necessary for
the datalink rows produced by service.
"""
for dlSvc in self.datalinkEndpoints:
yield dlSvc.asVOT(ctx, service.getURL(dlSvc.rendName))
def runForMeta(self, service, inputTable, queryMeta):
"""returns a rendered VOTable containing the datalinks.
"""
try:
ctx = votablewrite.VOTableContext(tablecoding="td")
vot = V.VOTABLE[
self.getDatalinksResource(ctx, service),
self._iterAccessResources(ctx, service)]
if self.overflowed:
vot[V.INFO(name="QUERY_STATUS", value="OVERFLOW")[
"Results cropped after hitting the MAXREC you passed in."]]
else:
vot[V.INFO(name="QUERY_STATUS", value="OK")]
if "text/html" in queryMeta["accept"]:
# we believe it's a web browser; let it do stylesheet magic
destMime = "text/xml"
else:
destMime = self.datalinkType
destMime = str(inputTable.getParam("RESPONSEFORMAT") or destMime)
if destMime=="votable":
destMime = self.datalinkType
res = (destMime, b"<?xml-stylesheet href='/static/xsl/"
b"datalink-to-html.xsl' type='text/xsl'?>"+vot.render())
return res
finally:
self.finalize()
def runForData(self, service, inputTable, queryMeta):
"""returns a data set processed according to inputTable's parameters.
"""
try:
args = inputTable.getParamDict()
if not self.dataFunctions:
raise base.DataError("This datalink service cannot process data")
descriptor = self.descriptors[-1]
self.dataFunctions[0].compile(self)(descriptor, args)
if descriptor.data is None:
raise base.ReportableError("Internal Error: a first data function did"
" not create data.")
for func in self.dataFunctions[1:]:
try:
func.compile(self)(descriptor, args)
except FormatNow:
break
except DeliverNow:
return descriptor.data
res = self.dataFormatter.compile(self)(descriptor, args)
return res
finally:
self.finalize()
def finalize(self):
"""breaks circular references to make the garbage collector's job
easier.
The core will no longer function once this has been called.
"""
utils.forgetMemoized(self)
for proc in itertools.chain(self.metaMakers, self.dataFunctions):
utils.forgetMemoized(proc)
utils.forgetMemoized(self.descriptorGenerator)
if self.dataFormatter:
utils.forgetMemoized(self.dataFormatter)
self.breakCircles()
self.run = None
def makeDatalinkServiceDescriptor(ctx, service, tableDef, columnName):
"""returns a datalink descriptor for a datalink (dlmeta) service).
What's returned is gavo.votable elements.
ctx is a votablewrite VOTableContext that manages the IDs of the elements
involved, service is the datalink service as a svc.Service instance,
tableDef is the rscdef.TableDef instance with the rows the datalink service
operates on, and columnName names the column within table to take
the datalink's ID parameter from.
"""
return V.RESOURCE(type="meta", utype="adhoc:service",
name=base.getMetaText(service, "name", default="links", propagate=False))[
V.DESCRIPTION[base.getMetaText(service, "description",
default="A Datalink service to retrieve the data set"
" as well as additional related files, plus possibly services"
" for server-side processing.", propagate=False)],
V.PARAM(name="standardID", datatype="char", arraysize="*",
value="ivo://ivoa.net/std/DataLink#links-1.0"),
V.PARAM(name="accessURL", datatype="char", arraysize="*",
value=service.getURL("dlmeta")),
V.GROUP(name="inputParams")[
V.PARAM(name="ID", datatype="char", arraysize="*",
ref=ctx.getOrMakeIdFor(
tableDef.getColumnByName(columnName), suggestion=columnName),
ucd="meta.id;meta.main")]]
|