Updates to swagger table generation
A bunch of related fixes to the code for parsing the state and API yaml files: 1. Some of our objects are {key: {key: value}} - style nested key/value dictionaries. Handle this by refactoring get_json_schema_object_fields so that such objects are handled wherever they appear, rather than when they are just subproperties of a 'proper' object. 2. Fix multi-level inheritance (so an object can have an 'allOf' property which can successfully refer to an object which itself has an 'allOf' property). 3. $ref fields in event schemas weren't being expanded correctly 4. sort type tables breadth-first rather than depth-first so that the ordering in complex structures like the /sync response makes a bit more sense.
This commit is contained in:
parent
ea364a108b
commit
838af2a23e
2 changed files with 128 additions and 72 deletions
|
@ -42,6 +42,7 @@ from jinja2 import Environment, FileSystemLoader, StrictUndefined, Template, met
|
||||||
from argparse import ArgumentParser, FileType
|
from argparse import ArgumentParser, FileType
|
||||||
import importlib
|
import importlib
|
||||||
import json
|
import json
|
||||||
|
import logging
|
||||||
import os
|
import os
|
||||||
import sys
|
import sys
|
||||||
from textwrap import TextWrapper
|
from textwrap import TextWrapper
|
||||||
|
@ -188,6 +189,9 @@ if __name__ == '__main__':
|
||||||
)
|
)
|
||||||
args = parser.parse_args()
|
args = parser.parse_args()
|
||||||
|
|
||||||
|
if args.verbose:
|
||||||
|
logging.basicConfig(level=logging.DEBUG)
|
||||||
|
|
||||||
if not args.input:
|
if not args.input:
|
||||||
raise Exception("Missing [i]nput python module.")
|
raise Exception("Missing [i]nput python module.")
|
||||||
|
|
||||||
|
|
|
@ -8,6 +8,7 @@ For the actual conversion of data -> RST (including templates), see the sections
|
||||||
file instead.
|
file instead.
|
||||||
"""
|
"""
|
||||||
from batesian.units import Units
|
from batesian.units import Units
|
||||||
|
import logging
|
||||||
import inspect
|
import inspect
|
||||||
import json
|
import json
|
||||||
import os
|
import os
|
||||||
|
@ -27,6 +28,7 @@ TARGETS = "../specification/targets.yaml"
|
||||||
ROOM_EVENT = "core-event-schema/room_event.json"
|
ROOM_EVENT = "core-event-schema/room_event.json"
|
||||||
STATE_EVENT = "core-event-schema/state_event.json"
|
STATE_EVENT = "core-event-schema/state_event.json"
|
||||||
|
|
||||||
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
def resolve_references(path, schema):
|
def resolve_references(path, schema):
|
||||||
if isinstance(schema, dict):
|
if isinstance(schema, dict):
|
||||||
|
@ -46,6 +48,32 @@ def resolve_references(path, schema):
|
||||||
return schema
|
return schema
|
||||||
|
|
||||||
|
|
||||||
|
def inherit_parents(obj):
|
||||||
|
"""
|
||||||
|
Recurse through the 'allOf' declarations in the object
|
||||||
|
"""
|
||||||
|
logger.debug("inherit_parents %r" % obj)
|
||||||
|
parents = obj.get("allOf", [])
|
||||||
|
if not parents:
|
||||||
|
return obj
|
||||||
|
|
||||||
|
result = {}
|
||||||
|
|
||||||
|
# settings defined in the child take priority over the parents, so we
|
||||||
|
# iterate through the parents first, and then overwrite with the settings
|
||||||
|
# from the child.
|
||||||
|
for p in map(inherit_parents, parents) + [obj]:
|
||||||
|
for key in ('title', 'type', 'required'):
|
||||||
|
if p.get(key):
|
||||||
|
result[key] = p[key]
|
||||||
|
|
||||||
|
for key in ('properties', 'additionalProperties', 'patternProperties'):
|
||||||
|
if p.get(key):
|
||||||
|
result.setdefault(key, {}).update(p[key])
|
||||||
|
|
||||||
|
return result
|
||||||
|
|
||||||
|
|
||||||
def get_json_schema_object_fields(obj, enforce_title=False, include_parents=False):
|
def get_json_schema_object_fields(obj, enforce_title=False, include_parents=False):
|
||||||
# Algorithm:
|
# Algorithm:
|
||||||
# f.e. property => add field info (if field is object then recurse)
|
# f.e. property => add field info (if field is object then recurse)
|
||||||
|
@ -53,22 +81,44 @@ def get_json_schema_object_fields(obj, enforce_title=False, include_parents=Fals
|
||||||
raise Exception(
|
raise Exception(
|
||||||
"get_json_schema_object_fields: Object %s isn't an object." % obj
|
"get_json_schema_object_fields: Object %s isn't an object." % obj
|
||||||
)
|
)
|
||||||
|
|
||||||
|
obj = inherit_parents(obj)
|
||||||
|
|
||||||
|
logger.debug("Processing object with title '%s'", obj.get("title"))
|
||||||
|
|
||||||
if enforce_title and not obj.get("title"):
|
if enforce_title and not obj.get("title"):
|
||||||
# Force a default titile of "NO_TITLE" to make it obvious in the
|
# Force a default titile of "NO_TITLE" to make it obvious in the
|
||||||
# specification output which parts of the schema are missing a title
|
# specification output which parts of the schema are missing a title
|
||||||
obj["title"] = 'NO_TITLE'
|
obj["title"] = 'NO_TITLE'
|
||||||
|
|
||||||
required_keys = obj.get("required")
|
additionalProps = obj.get("additionalProperties")
|
||||||
if not required_keys:
|
if additionalProps:
|
||||||
required_keys = []
|
# not "really" an object, just a KV store
|
||||||
|
logger.debug("%s is a pseudo-object", obj.get("title"))
|
||||||
|
|
||||||
fields = {
|
key_type = additionalProps.get("x-pattern", "string")
|
||||||
"title": obj.get("title"),
|
|
||||||
"rows": []
|
value_type = additionalProps["type"]
|
||||||
}
|
if value_type == "object":
|
||||||
tables = [fields]
|
nested_objects = get_json_schema_object_fields(
|
||||||
|
additionalProps,
|
||||||
|
enforce_title=True,
|
||||||
|
include_parents=include_parents,
|
||||||
|
)
|
||||||
|
value_type = nested_objects[0]["title"]
|
||||||
|
tables = [x for x in nested_objects if not x.get("no-table")]
|
||||||
|
else:
|
||||||
|
key_type = "string"
|
||||||
|
tables = []
|
||||||
|
|
||||||
|
tables = [{
|
||||||
|
"title": "{%s: %s}" % (key_type, value_type),
|
||||||
|
"no-table": True
|
||||||
|
}]+tables
|
||||||
|
|
||||||
|
logger.debug("%s done: returning %s", obj.get("title"), tables)
|
||||||
|
return tables
|
||||||
|
|
||||||
parents = obj.get("allOf")
|
|
||||||
props = obj.get("properties")
|
props = obj.get("properties")
|
||||||
if not props:
|
if not props:
|
||||||
props = obj.get("patternProperties")
|
props = obj.get("patternProperties")
|
||||||
|
@ -79,73 +129,60 @@ def get_json_schema_object_fields(obj, enforce_title=False, include_parents=Fals
|
||||||
if pretty_key:
|
if pretty_key:
|
||||||
props[pretty_key] = props[key_name]
|
props[pretty_key] = props[key_name]
|
||||||
del props[key_name]
|
del props[key_name]
|
||||||
if not props and not parents:
|
|
||||||
# Sometimes you just want to specify that a thing is an object without
|
|
||||||
# doing all the keys. Allow people to do that if they set a 'title'.
|
|
||||||
if obj.get("title"):
|
|
||||||
parents = [{
|
|
||||||
"$ref": obj.get("title")
|
|
||||||
}]
|
|
||||||
if not props and not parents:
|
|
||||||
raise Exception(
|
|
||||||
"Object %s has no properties or parents." % obj
|
|
||||||
)
|
|
||||||
if not props: # parents only
|
|
||||||
if include_parents:
|
|
||||||
if obj["title"] == "NO_TITLE" and parents[0].get("title"):
|
|
||||||
obj["title"] = parents[0].get("title")
|
|
||||||
props = parents[0].get("properties")
|
|
||||||
|
|
||||||
if not props:
|
# Sometimes you just want to specify that a thing is an object without
|
||||||
|
# doing all the keys. Allow people to do that if they set a 'title'.
|
||||||
|
if not props and obj.get("title"):
|
||||||
return [{
|
return [{
|
||||||
"title": obj["title"],
|
"title": obj["title"],
|
||||||
"parent": parents[0].get("$ref"),
|
|
||||||
"no-table": True
|
"no-table": True
|
||||||
}]
|
}]
|
||||||
|
|
||||||
|
if not props:
|
||||||
|
raise Exception(
|
||||||
|
"Object %s has no properties and no title" % obj
|
||||||
|
)
|
||||||
|
|
||||||
|
required_keys = set(obj.get("required", []))
|
||||||
|
|
||||||
|
fields = {
|
||||||
|
"title": obj.get("title"),
|
||||||
|
"rows": []
|
||||||
|
}
|
||||||
|
|
||||||
|
tables = [fields]
|
||||||
|
|
||||||
for key_name in sorted(props):
|
for key_name in sorted(props):
|
||||||
|
logger.debug("Processing property %s.%s", obj.get('title'), key_name)
|
||||||
value_type = None
|
value_type = None
|
||||||
required = key_name in required_keys
|
required = key_name in required_keys
|
||||||
desc = props[key_name].get("description", "")
|
desc = props[key_name].get("description", "")
|
||||||
|
prop_type = props[key_name].get('type')
|
||||||
|
|
||||||
if props[key_name]["type"] == "object":
|
if prop_type is None:
|
||||||
if props[key_name].get("additionalProperties"):
|
raise KeyError("Property '%s' of object '%s' missing 'type' field"
|
||||||
# not "really" an object, just a KV store
|
% (key_name, obj))
|
||||||
prop_val = props[key_name]["additionalProperties"]["type"]
|
logger.debug("%s is a %s", key_name, prop_type)
|
||||||
if prop_val == "object":
|
|
||||||
nested_object = get_json_schema_object_fields(
|
|
||||||
props[key_name]["additionalProperties"],
|
|
||||||
enforce_title=True,
|
|
||||||
include_parents=include_parents,
|
|
||||||
)
|
|
||||||
key = props[key_name]["additionalProperties"].get(
|
|
||||||
"x-pattern", "string"
|
|
||||||
)
|
|
||||||
value_type = "{%s: %s}" % (key, nested_object[0]["title"])
|
|
||||||
if not nested_object[0].get("no-table"):
|
|
||||||
tables += nested_object
|
|
||||||
else:
|
|
||||||
value_type = "{string: %s}" % prop_val
|
|
||||||
else:
|
|
||||||
nested_object = get_json_schema_object_fields(
|
|
||||||
props[key_name],
|
|
||||||
enforce_title=True,
|
|
||||||
include_parents=include_parents,
|
|
||||||
)
|
|
||||||
value_type = "{%s}" % nested_object[0]["title"]
|
|
||||||
|
|
||||||
if not nested_object[0].get("no-table"):
|
if prop_type == "object":
|
||||||
tables += nested_object
|
nested_objects = get_json_schema_object_fields(
|
||||||
elif props[key_name]["type"] == "array":
|
props[key_name],
|
||||||
|
enforce_title=True,
|
||||||
|
include_parents=include_parents,
|
||||||
|
)
|
||||||
|
value_type = nested_objects[0]["title"]
|
||||||
|
|
||||||
|
tables += [x for x in nested_objects if not x.get("no-table")]
|
||||||
|
elif prop_type == "array":
|
||||||
# if the items of the array are objects then recurse
|
# if the items of the array are objects then recurse
|
||||||
if props[key_name]["items"]["type"] == "object":
|
if props[key_name]["items"]["type"] == "object":
|
||||||
nested_object = get_json_schema_object_fields(
|
nested_objects = get_json_schema_object_fields(
|
||||||
props[key_name]["items"],
|
props[key_name]["items"],
|
||||||
enforce_title=True,
|
enforce_title=True,
|
||||||
include_parents=include_parents,
|
include_parents=include_parents,
|
||||||
)
|
)
|
||||||
value_type = "[%s]" % nested_object[0]["title"]
|
value_type = "[%s]" % nested_objects[0]["title"]
|
||||||
tables += nested_object
|
tables += nested_objects
|
||||||
else:
|
else:
|
||||||
value_type = props[key_name]["items"]["type"]
|
value_type = props[key_name]["items"]["type"]
|
||||||
if isinstance(value_type, list):
|
if isinstance(value_type, list):
|
||||||
|
@ -163,7 +200,7 @@ def get_json_schema_object_fields(obj, enforce_title=False, include_parents=Fals
|
||||||
" Must be '%s'." % array_enums[0]
|
" Must be '%s'." % array_enums[0]
|
||||||
)
|
)
|
||||||
else:
|
else:
|
||||||
value_type = props[key_name]["type"]
|
value_type = prop_type
|
||||||
if props[key_name].get("enum"):
|
if props[key_name].get("enum"):
|
||||||
if len(props[key_name].get("enum")) > 1:
|
if len(props[key_name].get("enum")) > 1:
|
||||||
value_type = "enum"
|
value_type = "enum"
|
||||||
|
@ -188,15 +225,32 @@ def get_json_schema_object_fields(obj, enforce_title=False, include_parents=Fals
|
||||||
"desc": desc,
|
"desc": desc,
|
||||||
"req_str": "**Required.** " if required else ""
|
"req_str": "**Required.** " if required else ""
|
||||||
})
|
})
|
||||||
|
logger.debug("Done property %s" % key_name)
|
||||||
|
|
||||||
|
return tables
|
||||||
|
|
||||||
|
|
||||||
|
def get_tables_for_schema(path, schema, include_parents=False):
|
||||||
|
resolved_schema = resolve_references(path, schema)
|
||||||
|
tables = get_json_schema_object_fields(resolved_schema,
|
||||||
|
include_parents=include_parents,
|
||||||
|
)
|
||||||
|
|
||||||
|
# the result may contain duplicates, if objects are referred to more than
|
||||||
|
# once. Filter them out.
|
||||||
|
#
|
||||||
|
# Go through the tables backwards so that we end up with a breadth-first
|
||||||
|
# rather than depth-first ordering.
|
||||||
|
|
||||||
titles = set()
|
titles = set()
|
||||||
filtered = []
|
filtered = []
|
||||||
for table in tables:
|
for table in reversed(tables):
|
||||||
if table.get("title") in titles:
|
if table.get("title") in titles:
|
||||||
continue
|
continue
|
||||||
|
|
||||||
titles.add(table.get("title"))
|
titles.add(table.get("title"))
|
||||||
filtered.append(table)
|
filtered.append(table)
|
||||||
|
filtered.reverse()
|
||||||
|
|
||||||
return filtered
|
return filtered
|
||||||
|
|
||||||
|
@ -306,16 +360,14 @@ class MatrixUnits(Units):
|
||||||
if is_array_of_objects:
|
if is_array_of_objects:
|
||||||
req_obj = req_obj["items"]
|
req_obj = req_obj["items"]
|
||||||
|
|
||||||
req_tables = get_json_schema_object_fields(
|
req_tables = get_tables_for_schema(
|
||||||
resolve_references(filepath, req_obj),
|
filepath, req_obj, include_parents=True)
|
||||||
include_parents=True,
|
|
||||||
)
|
|
||||||
|
|
||||||
if req_tables > 1:
|
if req_tables > 1:
|
||||||
for table in req_tables[1:]:
|
for table in req_tables[1:]:
|
||||||
nested_key_name = [
|
nested_key_name = [
|
||||||
s["key"] for s in req_tables[0]["rows"] if
|
s["key"] for s in req_tables[0]["rows"] if
|
||||||
s["type"] == ("{%s}" % (table["title"],))
|
s["type"] == ("%s" % (table["title"],))
|
||||||
][0]
|
][0]
|
||||||
for row in table["rows"]:
|
for row in table["rows"]:
|
||||||
row["key"] = "%s.%s" % (nested_key_name, row["key"])
|
row["key"] = "%s.%s" % (nested_key_name, row["key"])
|
||||||
|
@ -431,8 +483,7 @@ class MatrixUnits(Units):
|
||||||
elif res_type and Units.prop(good_response, "schema/properties"):
|
elif res_type and Units.prop(good_response, "schema/properties"):
|
||||||
# response is an object:
|
# response is an object:
|
||||||
schema = good_response["schema"]
|
schema = good_response["schema"]
|
||||||
res_tables = get_json_schema_object_fields(
|
res_tables = get_tables_for_schema(filepath, schema,
|
||||||
resolve_references(filepath, schema),
|
|
||||||
include_parents=True,
|
include_parents=True,
|
||||||
)
|
)
|
||||||
for table in res_tables:
|
for table in res_tables:
|
||||||
|
@ -571,8 +622,9 @@ class MatrixUnits(Units):
|
||||||
for filename in os.listdir(path):
|
for filename in os.listdir(path):
|
||||||
if not filename.startswith("m."):
|
if not filename.startswith("m."):
|
||||||
continue
|
continue
|
||||||
self.log("Reading %s" % os.path.join(path, filename))
|
filepath = os.path.join(path, filename)
|
||||||
with open(os.path.join(path, filename), "r") as f:
|
self.log("Reading %s" % filepath)
|
||||||
|
with open(filepath, "r") as f:
|
||||||
json_schema = json.loads(f.read())
|
json_schema = json.loads(f.read())
|
||||||
schema = {
|
schema = {
|
||||||
"typeof": None,
|
"typeof": None,
|
||||||
|
@ -614,15 +666,15 @@ class MatrixUnits(Units):
|
||||||
schema["desc"] = json_schema.get("description", "")
|
schema["desc"] = json_schema.get("description", "")
|
||||||
|
|
||||||
# walk the object for field info
|
# walk the object for field info
|
||||||
schema["content_fields"] = get_json_schema_object_fields(
|
schema["content_fields"] = get_tables_for_schema(filepath,
|
||||||
Units.prop(json_schema, "properties/content")
|
Units.prop(json_schema, "properties/content")
|
||||||
)
|
)
|
||||||
|
|
||||||
# This is horrible because we're special casing a key on m.room.member.
|
# This is horrible because we're special casing a key on m.room.member.
|
||||||
# We need to do this because we want to document a non-content object.
|
# We need to do this because we want to document a non-content object.
|
||||||
if schema["type"] == "m.room.member":
|
if schema["type"] == "m.room.member":
|
||||||
invite_room_state = get_json_schema_object_fields(
|
invite_room_state = get_tables_for_schema(filepath,
|
||||||
json_schema["properties"]["invite_room_state"]["items"]
|
json_schema["properties"]["invite_room_state"]["items"],
|
||||||
)
|
)
|
||||||
schema["content_fields"].extend(invite_room_state)
|
schema["content_fields"].extend(invite_room_state)
|
||||||
|
|
||||||
|
|
Loading…
Add table
Add a link
Reference in a new issue