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
|
"""
AIRR Data Representation Schema
"""
# Imports
import sys
import yaml
import yamlordereddictloader
from collections import OrderedDict
from pkg_resources import resource_stream
with resource_stream(__name__, 'specs/airr-schema.yaml') as f:
DEFAULT_SPEC = yaml.load(f, Loader=yamlordereddictloader.Loader)
class ValidationError(Exception):
"""
Exception raised when validation errors are encountered.
"""
pass
class Schema:
"""
AIRR schema definitions
Attributes:
definition: name of the schema definition.
info (collections.OrderedDict): schema info.
properties (collections.OrderedDict): field definitions.
required (list): list of mandatory fields.
optional (list): list of non-required fields.
false_values (list): accepted string values for False.
true_values (list): accepted values for True.
"""
# Boolean list for pandas
true_values = ['True', 'true', 'TRUE', 'T', 't', '1']
false_values = ['False', 'false', 'FALSE', 'F', 'f', '0']
# Generate dicts for booleans
_to_bool_map = {x: True for x in true_values + [1, True]}
_to_bool_map.update({x: False for x in false_values + [0, False]})
_from_bool_map = {k: 'T' if v else 'F' for k, v in _to_bool_map.items()}
def __init__(self, definition):
"""
Initialization
Arguments:
definition (string): the schema definition to load.
Returns:
airr.schema.Schema : schema object.
"""
# Info is not a valid schema
if definition == 'Info':
raise KeyError('Info is an invalid schema definition name')
# Load object definition
if isinstance(definition, dict): # on-the-fly definition of a nested object
self.definition = definition
spec = {'Info': []}
else:
spec = DEFAULT_SPEC
try:
self.definition = spec[definition]
except KeyError:
raise KeyError('Schema definition %s cannot be found in the specifications' % definition)
except:
raise
try:
self.info = spec['Info']
except KeyError:
raise KeyError('Info object cannot be found in the specifications')
except:
raise
if self.definition.get('properties') is not None:
self.properties = self.definition['properties']
try:
self.required = self.definition['required']
except KeyError:
self.required = []
except:
raise
elif self.definition.get('allOf') is not None:
self.properties = {}
self.required = []
for s in self.definition['allOf']:
if s.get('$ref') is not None:
schema_name = s['$ref'].split('/')[-1]
# cannot use cache here
schema = Schema(schema_name)
# no nested allOf ...
self.properties.update(schema.properties)
self.required.extend(schema.required)
elif s.get('properties') is not None:
self.properties.update(s.get('properties'))
if s.get('required') is not None:
self.required.extend(s.get('required'))
else:
raise KeyError('Cannot find properties for schema definition %s' % definition)
self.optional = [f for f in self.properties if f not in self.required]
def spec(self, field):
"""
Get the properties for a field
Arguments:
name (str): field name.
Returns:
collections.OrderedDict: definition for the field.
"""
return self.properties.get(field, None)
def type(self, field):
"""
Get the type for a field
Arguments:
name (str): field name.
Returns:
str: the type definition for the field
"""
field_spec = self.properties.get(field, None)
field_type = field_spec.get('type', None) if field_spec else None
return field_type
def pandas_types(self):
"""
Map of schema types to pandas types
Returns:
dict: mapping dictionary for pandas types
"""
type_mapping = {}
for property in self.properties:
if self.type(property) == 'boolean':
type_mapping[property] = bool
elif self.type(property) == 'integer':
type_mapping[property] = 'Int64'
elif self.type(property) == 'number':
type_mapping[property] = 'float64'
elif self.type(property) == 'string':
type_mapping[property] = str
return type_mapping
def to_bool(self, value, validate=False):
"""
Convert a string to a boolean
Arguments:
value (str): logical value as a string.
validate (bool): when True raise a ValidationError for an invalid value.
Otherwise, set invalid values to None.
Returns:
bool: conversion of the string to True or False.
Raises:
airr.ValidationError: raised if value is invalid when validate is set True.
"""
if value == '' or value is None:
return None
bool_value = self._to_bool_map.get(value, None)
if bool_value is None and validate:
raise ValidationError('invalid bool %s' % value)
else:
return bool_value
def from_bool(self, value, validate=False):
"""
Converts a boolean to a string
Arguments:
value (bool): logical value.
validate (bool): when True raise a ValidationError for an invalid value.
Otherwise, set invalid values to None.
Returns:
str: conversion of True or False or 'T' or 'F'.
Raises:
airr.ValidationError: raised if value is invalid when validate is set True.
"""
if value == '' or value is None:
return ''
str_value = self._from_bool_map.get(value, None)
if str_value is None and validate:
raise ValidationError('invalid bool %s' % value)
else:
return str_value
def to_int(self, value, validate=False):
"""
Converts a string to an integer
Arguments:
value (str): integer value as a string.
validate (bool): when True raise a ValidationError for an invalid value.
Otherwise, set invalid values to None.
Returns:
int: conversion of the string to an integer.
Raises:
airr.ValidationError: raised if value is invalid when validate is set True.
"""
if value == '' or value is None:
return None
if isinstance(value, int):
return value
try:
return int(value)
except ValueError:
if validate:
raise ValidationError('invalid int %s' % value)
else:
return None
def to_float(self, value, validate=False):
"""
Converts a string to a float
Arguments:
value (str): float value as a string.
validate (bool): when True raise a ValidationError for an invalid value.
Otherwise, set invalid values to None.
Returns:
float: conversion of the string to a float.
Raises:
airr.ValidationError: raised if value is invalid when validate is set True.
"""
if value == '' or value is None:
return None
if isinstance(value, float):
return value
try:
return float(value)
except ValueError:
if validate:
raise ValidationError('invalid float %s' % value)
else:
return None
def validate_header(self, header):
"""
Validate header against the schema
Arguments:
header (list): list of header fields.
Returns:
bool: True if a ValidationError exception is not raised.
Raises:
airr.ValidationError: raised if header fails validation.
"""
# Check for missing header
if header is None:
raise ValidationError('missing header')
# Check required fields
missing_fields = [f for f in self.required if f not in header]
if missing_fields:
raise ValidationError('missing required fields (%s)' % ', '.join(missing_fields))
else:
return True
def validate_row(self, row):
"""
Validate Rearrangements row data against schema
Arguments:
row (dict): dictionary containing a single record.
Returns:
bool: True if a ValidationError exception is not raised.
Raises:
airr.ValidationError: raised if row fails validation.
"""
for f in row:
# Empty strings are valid
if row[f] == '' or row[f] is None:
continue
# Check types
spec = self.type(f)
try:
if spec == 'boolean': self.to_bool(row[f], validate=True)
if spec == 'integer': self.to_int(row[f], validate=True)
if spec == 'number': self.to_float(row[f], validate=True)
except ValidationError as e:
raise ValidationError('field %s has %s' % (f, e))
return True
def validate_object(self, obj, missing=True, nonairr=True, context=None):
"""
Validate Repertoire object data against schema
Arguments:
obj (dict): dictionary containing a single repertoire object.
missing (bool): provides warnings for missing optional fields.
nonairr (bool: provides warning for non-AIRR fields that cannot be validated.
context (string): used by recursion to indicate place in object hierarchy
Returns:
bool: True if a ValidationError exception is not raised.
Raises:
airr.ValidationError: raised if object fails validation.
"""
# object has to be a dictionary
if not hasattr(obj, 'items'):
if context is None:
raise ValidationError('object is not a dictionary')
else:
raise ValidationError('field "%s" is not a dictionary object' % context)
# first warn about non-AIRR fields
if nonairr:
for f in obj:
if context is None: full_field = f
else: full_field = context + '.' + f
if self.properties.get(f) is None:
sys.stderr.write('Warning: Object has non-AIRR field that cannot be validated (' + full_field + ').\n')
# now walk through schema and check types
for f in self.properties:
if context is None: full_field = f
else: full_field = context + '.' + f
spec = self.spec(f)
xairr = spec.get('x-airr')
# check if deprecated
if xairr and xairr.get('deprecated'):
continue
# check if null and if key is missing
is_missing_key = False
is_null = False
if obj.get(f) is None:
is_null = True
if obj.get(f, 'missing') == 'missing':
is_missing_key = True
# check MiAIRR keys exist
if xairr and xairr.get('miairr'):
if is_missing_key:
raise ValidationError('MiAIRR field "%s" is missing' % full_field)
# check if required field
if f in self.required and is_missing_key:
raise ValidationError('Required field "%s" is missing' % full_field)
# check if identifier field
if xairr and xairr.get('identifier'):
if is_missing_key:
if xairr.get('nullable'):
sys.stderr.write(
'Warning: Nullable identifier field "%s" is missing.\n' % full_field)
else:
raise ValidationError('Not-nullable identifier field "%s" is missing' % full_field)
# check nullable requirements
if is_null:
if not xairr:
# default is true
continue
if xairr.get('nullable') or xairr.get('nullable', 'missing') == 'missing':
# nullable is allowed
continue
else:
# nullable not allowed
raise ValidationError('Non-nullable field "%s" is null or missing' % full_field)
# if get to here, field should exist with non null value
# check types
field_type = self.type(f)
if field_type is None:
# for referenced object, recursively call validate with object and schema
if spec.get('$ref') is not None:
schema_name = spec['$ref'].split('/')[-1]
if AIRRSchema.get(schema_name):
schema = AIRRSchema[schema_name]
else:
schema = Schema(schema_name)
schema.validate_object(obj[f], missing, nonairr, full_field)
else:
raise ValidationError('Internal error: field "%s" in schema not handled by validation. File a bug report.' % full_field)
elif field_type == 'array':
if not isinstance(obj[f], list):
raise ValidationError('field "%s" is not an array' % full_field)
# for array, check each object in it
for row in obj[f]:
if spec['items'].get('$ref') is not None:
schema_name = spec['items']['$ref'].split('/')[-1]
schema = Schema(schema_name)
schema.validate_object(row, missing, nonairr, full_field)
elif spec['items'].get('allOf') is not None:
for s in spec['items']['allOf']:
if s.get('$ref') is not None:
schema_name = s['$ref'].split('/')[-1]
if AIRRSchema.get(schema_name):
schema = AIRRSchema[schema_name]
else:
schema = Schema(schema_name)
schema.validate_object(row, missing, False, full_field)
elif spec['items'].get('enum') is not None:
if row not in spec['items']['enum']:
raise ValidationError('field "%s" has value "%s" not among possible enumeration values' % (full_field, row))
elif spec['items'].get('type') == 'string':
if not isinstance(row, str):
raise ValidationError('array field "%s" does not have string type: %s' % (full_field, row))
elif spec['items'].get('type') == 'boolean':
if not isinstance(row, bool):
raise ValidationError('array field "%s" does not have boolean type: %s' % (full_field, row))
elif spec['items'].get('type') == 'integer':
if not isinstance(row, int):
raise ValidationError('array field "%s" does not have integer type: %s' % (full_field, row))
elif spec['items'].get('type') == 'number':
if not isinstance(row, float) and not isinstance(row, int):
raise ValidationError('array field "%s" does not have number type: %s' % (full_field, row))
elif spec['items'].get('type') == 'object':
sub_schema = Schema({'properties': spec['items'].get('properties')})
sub_schema.validate_object(row, missing, nonairr, context)
else:
raise ValidationError('Internal error: array field "%s" in schema not handled by validation. File a bug report.' % full_field)
elif field_type == 'object':
# right now all arrays of objects use $ref
raise ValidationError('Internal error: field "%s" in schema not handled by validation. File a bug report.' % full_field)
else:
# check basic types
if field_type == 'string':
if not isinstance(obj[f], str):
raise ValidationError('Field "%s" does not have string type: %s' % (full_field, obj[f]))
elif field_type == 'boolean':
if not isinstance(obj[f], bool):
raise ValidationError('Field "%s" does not have boolean type: %s' % (full_field, obj[f]))
elif field_type == 'integer':
if not isinstance(obj[f], int):
raise ValidationError('Field "%s" does not have integer type: %s' % (full_field, obj[f]))
elif field_type == 'number':
if not isinstance(obj[f], float) and not isinstance(obj[f], int):
raise ValidationError('Field "%s" does not have number type: %s' % (full_field, obj[f]))
else:
raise ValidationError('Internal error: Field "%s" with type %s in schema not handled by validation. File a bug report.' % (full_field, field_type))
# check basic types enums
enums = spec.get('enum')
if enums is not None:
field_value = obj[f]
if field_value not in enums:
raise ValidationError(
'field "%s" has value "%s" not among possible enumeration values %s' % (full_field, field_value, enums)
)
return True
def template(self):
"""
Create an empty template object
Returns:
collections.OrderedDict: dictionary with all schema properties set as None or an empty list.
"""
# Set defaults for each data type
type_default = {'boolean': False, 'integer': 0, 'number': 0.0, 'string': '', 'array':[]}
# Fetch schema template definition for a $ref string
def _reference(ref):
x = ref.split('/')[-1]
schema = AIRRSchema.get(x, Schema(x))
return(schema.template())
# Get default value
def _default(spec):
if 'nullable' in spec['x-airr'] and not spec['x-airr']['nullable']:
if 'enum' in spec:
return spec['enum'][0]
else:
return type_default.get(spec['type'], None)
else:
return None
# Populate empty object
object = OrderedDict()
for k, spec in self.properties.items():
# Skip deprecated
if 'x-airr' in spec and spec['x-airr'].get('deprecated', False):
continue
# Population values
if '$ref' in spec:
object[k] = _reference(spec['$ref'])
elif spec['type'] == 'array':
if '$ref' in spec['items']:
object[k] = [_reference(spec['items']['$ref'])]
else:
object[k] = []
elif 'x-airr' in spec:
object[k] = _default(spec)
else:
object[k] = None
return(object)
# Preloaded schema
AIRRSchema = {
'Info': Schema('InfoObject'),
'DataFile': Schema('DataFile'),
'Alignment': Schema('Alignment'),
'Rearrangement': Schema('Rearrangement'),
'Repertoire': Schema('Repertoire'),
'RepertoireGroup': Schema('RepertoireGroup'),
'Ontology': Schema('Ontology'),
'Study': Schema('Study'),
'Subject': Schema('Subject'),
'Diagnosis': Schema('Diagnosis'),
'SampleProcessing': Schema('SampleProcessing'),
'CellProcessing': Schema('CellProcessing'),
'PCRTarget': Schema('PCRTarget'),
'NucleicAcidProcessing': Schema('NucleicAcidProcessing'),
'SequencingRun': Schema('SequencingRun'),
'SequencingData': Schema('SequencingData'),
'DataProcessing': Schema('DataProcessing'),
'GermlineSet': Schema('GermlineSet'),
'Acknowledgement': Schema('Acknowledgement'),
'RearrangedSequence': Schema('RearrangedSequence'),
'UnrearrangedSequence': Schema('UnrearrangedSequence'),
'SequenceDelineationV': Schema('SequenceDelineationV'),
'AlleleDescription': Schema('AlleleDescription'),
'GenotypeSet': Schema('GenotypeSet'),
'Genotype': Schema('Genotype'),
'Cell': Schema('Cell'),
'Clone': Schema('Clone')
}
InfoSchema = AIRRSchema['Info']
DataFileSchema = AIRRSchema['DataFile']
AlignmentSchema = AIRRSchema['Alignment']
RearrangementSchema = AIRRSchema['Rearrangement']
RepertoireSchema = AIRRSchema['Repertoire']
GermlineSetSchema = AIRRSchema['GermlineSet']
GenotypeSetSchema = AIRRSchema['GenotypeSet']
|