/usr/share/pyshared/dap/parsers/das.py is in python-dap 2.2.6.7-2.
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 | """DAS parser.
This module implements a DAS parser based on ``shlex.shlex``.
"""
__author__ = "Roberto De Almeida <rob@pydap.org>"
import array
import operator
from shlex import shlex
from dap import dtypes
from dap.parsers import BaseParser
from dap.util.safeeval import expr_eval
# string.digits + string.ascii_letters + string.punctuation - {};[]:="
#WORDCHARS = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ!#$%&\'()*+,-./<>?@\\^_`|~'
WORDCHARS = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ!#$%&\'()*+-./<>?@\\^_`|~'
atomic_types = ('byte', 'int', 'uint', 'int16', 'uint16', 'int32', 'uint32', 'float32', 'float64', 'string', 'url', 'alias')
class DASParser(BaseParser):
r"""A parser for Dataset Attribute Structure.
First we create a dataset and get its DAS:
>>> from dap import dtypes
>>> dataset = dtypes.DatasetType(name='test', attributes={'GLOBAL': {'name': 'teste'}})
>>> dataset['a'] = dtypes.BaseType(name='a', data=1, type='Int32', attributes={'pi': 3.1415})
>>> from dap.server import SimpleHandler
>>> headers, output = SimpleHandler(dataset).das()
>>> das_ = ''.join(output)
>>> print das_
Attributes {
GLOBAL {
String name "teste";
}
a {
Float32 pi 3.1415;
}
}
<BLANKLINE>
Now we build a new dataset from the DDS:
>>> headers, output = SimpleHandler(dataset).dds()
>>> dds_ = ''.join(output)
>>> from dap.parsers.dds import DDSParser
>>> dataset2 = DDSParser(dds_, '').parse()
>>> headers, output = SimpleHandler(dataset2).dds()
>>> print ''.join(output)
Dataset {
Int32 a;
} test;
<BLANKLINE>
The new dataset has no attributes, since it was built only from the
DDS. We pass it to the DAS parser, together with the DAS:
>>> dataset2 = DASParser(das_, '', dataset2).parse()
>>> headers, output = SimpleHandler(dataset2).das()
>>> print ''.join(output)
Attributes {
GLOBAL {
String name "teste";
}
a {
Float32 pi 3.1415;
}
}
<BLANKLINE>
The parser should accept additional metadata:
>>> das_ = 'Attributes {\nGLOBAL {\nString name "teste";\n}\nMETADATA {\nMETAMETADATA {\nString foo "bar";\n}\n}\na {\nFloat32 pi 3.1415;\n}\n}'
>>> dataset2 = DASParser(das_, '', dataset2).parse()
>>> print dataset2.attributes
{'GLOBAL': {'name': ['teste']}, 'METADATA': {'METAMETADATA': {'foo': ['bar']}}}
>>> headers, output = SimpleHandler(dataset2).das()
>>> print ''.join(output)
Attributes {
GLOBAL {
String name "teste";
}
METADATA {
METAMETADATA {
String foo "bar";
}
}
a {
Float32 pi 3.1415;
}
}
<BLANKLINE>
Checking a bug Rob Cermak found:
>>> dataset3 = dtypes.DatasetType(name='dataset')
>>> latLonCoordSys = dataset3['latLonCoordSys'] = dtypes.BaseType(name='latLonCoordSys', type='String', attributes={'_CoordinateAxes': "time lat long", 'DODS': {'strlen': 0}})
>>> headers, output = SimpleHandler(dataset3).das()
>>> das_ = ''.join(output)
>>> print das_
Attributes {
latLonCoordSys {
DODS {
Int32 strlen 0;
}
String _CoordinateAxes "time lat long";
}
}
<BLANKLINE>
>>> headers, output = SimpleHandler(dataset3).dds()
>>> dds_ = ''.join(output)
>>> dataset4 = DDSParser(dds_, '').parse()
>>> dataset4 = DASParser(das_, '', dataset4).parse()
>>> headers, output = SimpleHandler(dataset4).das()
>>> print ''.join(output)
Attributes {
latLonCoordSys {
DODS {
Int32 strlen 0;
}
String _CoordinateAxes "time lat long";
}
}
<BLANKLINE>
"""
def __init__(self, das, url, dataset):
shlex.__init__(self, das)
self.url = url
self._dataset = dataset
# Attribute target when parsing.
self._target = self._dataset
# Add punctuation to words.
#self.wordchars += '/_%.-+'
self.wordchars = WORDCHARS
def parse(self):
"""Parse the DAS and return a ``DatasetType`` object with the attributes populated."""
self._consume('attributes')
self._consume('{')
self._attrconts()
self._consume('}')
return self._dataset
def _attrconts(self):
while not self._check('}'):
self._attrcont()
def _attrcont(self):
# Check for attributes or containers.
if self._check(*atomic_types):
name, values = self._attribute()
self._target.attributes[name] = values
# Fix attributes for grids.
if isinstance(self._target, dtypes.GridType):
for map_ in self._target.maps.values():
if not map_.attributes and map_.name in self._dataset:
map_.attributes = self._dataset[map_.name].attributes.copy()
else:
self._container()
def _container(self):
name = self.get_token()
self._consume('{')
# Check for flat attributes, since it's relatively common.
if '.' in name:
names = name.split('.')
old_target = self._target
# Get the appropriate target: foo.bar should point to dataset['foo']['bar']
d = [old_target]
d.extend(names)
try:
self._target = reduce(operator.getitem, d)
except KeyError:
# This happens in this dataset, because it's wrong. We just ignore the attributes.
# http://motherlode.ucar.edu/cgi-bin/dods/DODS-3.2.1/nph-dods/dods/amsua15_2002.279_22852_0156_0342_GC.eos.das
pass
self._attrconts()
self._target = old_target
elif isinstance(self._target, dtypes.StructureType) and name in self._target.keys():
old_target = self._target
self._target = old_target[name]
self._attrconts()
self._target = old_target
else:
self._target.attributes[name] = self._metadata()
self._consume('}')
def _metadata(self):
output = {}
while not self._check('}'):
if self._check(*atomic_types):
name, values = self._attribute()
output[name] = values
else:
name = self.get_token()
self._consume('{')
output[name] = self._metadata()
self._consume('}')
return output
def _attribute(self):
# Get type and name.
type_ = self.get_token()
name = self.get_token()
# Get values: value_1 (, value_n)*
values = []
while not self._check(';'):
value = self.get_token()
if type_.lower() in ['string', 'url']:
value = expr_eval(repr(value))
value = value.strip('"')
elif type_.lower() == 'alias':
# Support for Alias is not documented in the DAP spec. I based
# this on the Java documentation from the OPeNDAP website at:
# http://www.opendap.org/api/javaDocs/dods/dap/Alias.html
if value.startswith('.'):
tokens = value[1:].split('.')
value = self._dataset
else:
tokens = value.split('.')
value = self._target
for token in tokens:
if token in value:
value = value[token]
elif token:
value = value.attributes.get(token, "Alias pointing to non-existing attribute.")
break
else:
value = value.attributes
elif type_.lower() == 'float32':
# Convert to right precision; otherwise floats
# are converted to Float64 automatically by
# Python.
value = array.array('f', [float(value)])[0]
elif type_.lower() == 'float64':
value = array.array('d', [float(value)])[0]
else:
value = int(value)
values.append(value)
if self._check(','): self._consume(',')
self._consume(';')
# Return single attributes as values, not list.
if len(values) == 1: values = values[0]
return name, values
def _test():
import doctest
doctest.testmod()
if __name__ == "__main__":
_test()
|