##// END OF EJS Templates
Merge pull request #6828 from takluyver/terminal-list...
Merge pull request #6828 from takluyver/terminal-list Add terminals tab to the dashboard

File last commit:

r18251:8601054f
r18615:96791286 merge
Show More
validator.py
146 lines | 4.4 KiB | text/x-python | PythonLexer
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 # Copyright (c) IPython Development Team.
# Distributed under the terms of the Modified BSD License.
Thomas Kluyver
Convert print statements to print function calls...
r13348 from __future__ import print_function
Thomas Kluyver
Import argparse directly from stdlib
r12547 import json
Jessica B. Hamrick
Allow validator to be called from reads_json and writes_json
r16330 import os
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 import warnings
Matthias BUSSONNIER
create a ipynbv3 json schema and a validator...
r8519
Paul Ivanov
more verbose message on missing jsonschema
r16998 try:
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 from jsonschema import ValidationError
from jsonschema import Draft4Validator as Validator
Paul Ivanov
more verbose message on missing jsonschema
r16998 except ImportError as e:
verbose_msg = """
Paul Ivanov
better wording
r16999
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 IPython notebook format depends on the jsonschema package:
Paul Ivanov
more verbose message on missing jsonschema
r16998
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 https://pypi.python.org/pypi/jsonschema
Paul Ivanov
same fix for jsonpointer
r17000
Please install it first.
"""
MinRK
fix nicer ImportError message on Python 3...
r17029 raise ImportError(str(e) + verbose_msg)
Paul Ivanov
same fix for jsonpointer
r17000
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 from IPython.utils.importstring import import_item
Matthias BUSSONNIER
create a ipynbv3 json schema and a validator...
r8519
Jessica B. Hamrick
Allow validator to be called from reads_json and writes_json
r16330
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 validators = {}
Jessica B. Hamrick
Allow validator to be called from reads_json and writes_json
r16330
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 def _relax_additional_properties(obj):
"""relax any `additionalProperties`"""
if isinstance(obj, dict):
for key, value in obj.items():
if key == 'additionalProperties':
print(obj)
value = True
else:
value = _relax_additional_properties(value)
obj[key] = value
elif isinstance(obj, list):
for i, value in enumerate(obj):
obj[i] = _relax_additional_properties(value)
return obj
def get_validator(version=None, version_minor=None):
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 """Load the JSON schema into a Validator"""
if version is None:
from .current import nbformat as version
Jessica B. Hamrick
Allow validator to be called from reads_json and writes_json
r16330
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 v = import_item("IPython.nbformat.v%s" % version)
current_minor = v.nbformat_minor
if version_minor is None:
version_minor = current_minor
version_tuple = (version, version_minor)
if version_tuple not in validators:
MinRK
assume valid if there's no schema (v2)
r18250 try:
v.nbformat_schema
except AttributeError:
# no validator
return None
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 schema_path = os.path.join(os.path.dirname(v.__file__), v.nbformat_schema)
with open(schema_path) as f:
schema_json = json.load(f)
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 if current_minor < version_minor:
# notebook from the future, relax all `additionalProperties: False` requirements
schema_json = _relax_additional_properties(schema_json)
validators[version_tuple] = Validator(schema_json)
return validators[version_tuple]
def isvalid(nbjson, ref=None, version=None, version_minor=None):
Jessica B. Hamrick
Misc style changes, add more docstrings
r16347 """Checks whether the given notebook JSON conforms to the current
notebook format schema. Returns True if the JSON is valid, and
False otherwise.
Jessica B. Hamrick
Return the list of errors, rather than the number of errors
r16407 To see the individual errors that were encountered, please use the
`validate` function instead.
Jessica B. Hamrick
Misc style changes, add more docstrings
r16347 """
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 try:
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 validate(nbjson, ref, version, version_minor)
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 except ValidationError:
return False
else:
return True
Jessica B. Hamrick
Add isvalid function which returns True/False
r16341
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 def better_validation_error(error, version, version_minor):
MinRK
raise better ValidationError in validate...
r18245 """Get better ValidationError on oneOf failures
oneOf errors aren't informative.
if it's a cell type or output_type error,
try validating directly based on the type for a better error message
"""
key = error.schema_path[-1]
if key.endswith('Of'):
ref = None
if isinstance(error.instance, dict):
if 'cell_type' in error.instance:
ref = error.instance['cell_type'] + "_cell"
elif 'output_type' in error.instance:
ref = error.instance['output_type']
if ref:
try:
validate(error.instance,
ref,
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 version=version,
version_minor=version_minor,
MinRK
raise better ValidationError in validate...
r18245 )
except ValidationError as e:
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 return better_validation_error(e, version, version_minor)
MinRK
raise better ValidationError in validate...
r18245 except:
# if it fails for some reason,
# let the original error through
pass
return error
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 def validate(nbjson, ref=None, version=None, version_minor=None):
Jessica B. Hamrick
Misc style changes, add more docstrings
r16347 """Checks whether the given notebook JSON conforms to the current
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 notebook format schema.
Jessica B. Hamrick
Misc style changes, add more docstrings
r16347
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 Raises ValidationError if not valid.
Jessica B. Hamrick
Misc style changes, add more docstrings
r16347 """
MinRK
Use Draft4 JSON Schema for both v3 and v4...
r18243 if version is None:
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 from .reader import get_version
(version, version_minor) = get_version(nbjson)
Jessica B. Hamrick
Misc style changes, add more docstrings
r16347
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 validator = get_validator(version, version_minor)
Matthias BUSSONNIER
create a ipynbv3 json schema and a validator...
r8519
MinRK
assume valid if there's no schema (v2)
r18250 if validator is None:
# no validator
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 warnings.warn("No schema for validating v%s notebooks" % version, UserWarning)
MinRK
assume valid if there's no schema (v2)
r18250 return
MinRK
raise better ValidationError in validate...
r18245 try:
if ref:
return validator.validate(nbjson, {'$ref' : '#/definitions/%s' % ref})
else:
return validator.validate(nbjson)
except ValidationError as e:
MinRK
skip additionalProperties validation on notebooks from the future...
r18251 raise better_validation_error(e, version, version_minor)
Jessica B. Hamrick
Add comments inside validator
r16335