File: inputs_schema_gen.py

package info (click to toggle)
cwl-utils 0.37-1
  • links: PTS, VCS
  • area: main
  • in suites: sid, trixie
  • size: 5,156 kB
  • sloc: python: 88,920; makefile: 141; javascript: 91
file content (622 lines) | stat: -rw-r--r-- 20,370 bytes parent folder | download
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
#!/usr/bin/env python3
# SPDX-License-Identifier: Apache-2.0
# Copyright 2024 Hirotaka Suetake
# Copyright 2024 Alexis Lucattini

"""Generate JSON Schema from CWL inputs object."""
import argparse
import json
import logging
import sys
from copy import deepcopy
from pathlib import Path
from typing import Any, Dict, List, Optional, Union
from urllib.parse import urlparse

import requests

# Get typeguard from extensions if we're running in python3.8
if sys.version_info[:2] < (3, 10):
    from typing_extensions import TypeGuard  # Not in 3.8 typing module
else:
    from typing import TypeGuard

from cwl_utils.loghandler import _logger as _cwlutilslogger
from cwl_utils.parser import (
    CommandLineTool,
    Directory,
    File,
    InputArraySchema,
    InputArraySchemaTypes,
    InputEnumSchema,
    InputEnumSchemaTypes,
    InputRecordSchema,
    InputRecordSchemaTypes,
    Workflow,
    WorkflowInputParameter,
    load_document_by_uri,
)
from cwl_utils.utils import (
    get_value_from_uri,
    is_local_uri,
    is_uri,
    sanitise_schema_field,
    to_pascal_case,
)

_logger = logging.getLogger("cwl-inputs-schema-gen")  # pylint: disable=invalid-name
defaultStreamHandler = logging.StreamHandler()  # pylint: disable=invalid-name
_logger.addHandler(defaultStreamHandler)
_logger.setLevel(logging.INFO)
_cwlutilslogger.setLevel(100)

# Globals

# Maps CWL types to JSON Schema types
PRIMITIVE_TYPES_MAPPING = {
    "boolean": "boolean",
    "string": "string",
    "int": "integer",
    "float": "number",
    "long": "number",
    "double": "number",
    "null": "null",
}

JSON_TEMPLATE_PATH = (
    Path(__file__)
    .parent.joinpath("./templates/workflow_input_json_schema_template.json")
    .absolute()
    .resolve()
)

# Some type hinting
InputType = Union[
    InputArraySchema, InputEnumSchema, InputRecordSchema, str, File, Directory
]


# Don't need type checking at runtime


class JSONSchemaProperty:
    """Generate a JSON schema property from a CWL input parameter."""

    def __init__(
        self,
        name: str,
        type_: Union[InputType, List[InputType], str, Any],
        description: Optional[str] = "",
        required: Optional[bool] = False,
    ):
        """Initialise the JSONSchemaProperty object."""
        # Initialise values
        self.name: str = name
        self.type_: Union[InputType, List[InputType], str, Any] = type_
        self.description = description
        self.required = required
        self.type_dict = self.generate_type_dict()

    def generate_type_dict(self) -> Dict[str, Any]:
        """Generate the type dict for a property from a CWL input parameter type."""
        # If the type is a list and contains null, then the property is not required
        if isinstance(self.type_, List) and "null" in self.type_:
            self.required = False
            self.type_ = list(filter(lambda type_item: type_item != "null", self.type_))

            # Check if we're down to one item, we can then squeeze
            if len(self.type_) == 1:
                self.type_ = self.type_[0]

        # type_ is still a list therefore we offer multiple input types for this parameter
        if isinstance(self.type_, List):
            # We use the oneOf keyword to specify multiple types
            type_dict = self.generate_type_dict_from_type_list(self.type_)
        # type_ is a single type
        else:
            type_dict = self.generate_type_dict_from_type(self.type_)

        # Add in the description to the type dict
        type_dict.update({"description": self.description})

        return type_dict

    def generate_type_dict_from_type(self, type_item: Any) -> Dict[str, Any]:
        """
        Generate the type dict for a property from a CWL input parameter type.

        We call this function for each type in the type_ list
        In the case there are multiple types, each dict is added to the oneOf list
        """
        # Primitive types should have a 1-1 mapping
        # Between an CWL Input Parameter type and a JSON schema type
        if isinstance(type_item, str):
            if type_item in PRIMITIVE_TYPES_MAPPING.keys():
                return {"type": PRIMITIVE_TYPES_MAPPING[type_item]}
            elif type_item in ["stdin"]:
                return {"$ref": "#/definitions/File"}
            elif type_item in ["File", "Directory", "Any"]:
                return {"$ref": f"#/definitions/{type_item}"}
            # When item is a record schema type
            elif is_uri(type_item):
                return {
                    "$ref": f"#/definitions/{to_pascal_case(get_value_from_uri(type_item))}"
                }
            else:
                raise ValueError(f"Unknown type: {type_item}")
        elif isinstance(type_item, InputArraySchemaTypes):
            return {
                "type": "array",
                "items": self.generate_type_dict_from_type(type_item.items),
            }
        elif isinstance(type_item, InputEnumSchemaTypes):
            return {
                "type": "string",
                "enum": list(
                    map(
                        lambda symbol_iter: get_value_from_uri(symbol_iter),
                        type_item.symbols,
                    )
                ),
            }
        elif isinstance(type_item, InputRecordSchemaTypes):
            if type_item.fields is None:
                return {"type": "object"}
            if not isinstance(type_item.fields, List):
                _cwlutilslogger.error(
                    "Expected fields of InputRecordSchemaType to be a list"
                )
                raise TypeError
            return {
                "type": "object",
                "properties": {
                    get_value_from_uri(prop.name): self.generate_type_dict_from_type(
                        prop.type_
                    )
                    for prop in type_item.fields
                },
            }
        elif isinstance(type_item, Dict):
            # Nested import
            # {'$import': '../relative/path/to/schema'}
            if "$import" in type_item.keys():
                # This path is a relative path to import
                return {
                    "$ref": f"#/definitions/{to_pascal_case(get_value_from_uri(type_item['$import']))}"
                }
            else:
                raise ValueError(f"Unknown type: {type_item}")
        elif isinstance(type_item, List):
            # Nested schema
            return {
                "oneOf": list(
                    map(
                        lambda type_iter: self.generate_type_dict_from_type(type_iter),
                        type_item,
                    )
                )
            }
        else:
            raise ValueError(f"Unknown type: {type_item}")

    def generate_type_dict_from_type_list(
        self, type_: List[InputType]
    ) -> Dict[str, Any]:
        """Given a list of types, generate a JSON schema property dict wrapped in oneOf list."""
        return {
            "oneOf": list(
                map(
                    lambda type_item: self.generate_type_dict_from_type(type_item),
                    type_,
                )
            )
        }

    def to_dict(self) -> Dict[str, Any]:
        """Return as a dictionary."""
        return {self.name: self.type_dict}


def get_is_required_from_input_parameter(
    input_parameter: WorkflowInputParameter,
) -> bool:
    """Given an input parameter, return if it is required."""
    if isinstance(input_parameter.type_, str) and input_parameter.type_.endswith("?"):
        return False
    if input_parameter.default is not None:
        return False
    if isinstance(input_parameter.type_, List) and "null" in input_parameter.type_:
        return False
    if isinstance(input_parameter.type_, InputRecordSchemaTypes):
        if input_parameter.type_ is not None:
            if (isinstance(input_parameter.type_.type_, str)) and (
                input_parameter.type_.type_.endswith("?")
            ):
                return False
    return True


def generate_json_schema_property_from_input_parameter(
    input_parameter: WorkflowInputParameter,
) -> JSONSchemaProperty:
    """
    Given an input parameter, generate a JSON schema property.

    :param input_parameter:
    :return:
    """
    # Get the input name and documentation for description
    input_name = get_value_from_uri(str(input_parameter.id))
    doc = input_parameter.doc
    required = get_is_required_from_input_parameter(input_parameter)

    return JSONSchemaProperty(
        name=input_name,
        type_=input_parameter.type_,
        description=doc if doc is not None else "",
        required=required,
    )


def generate_definition_from_schema(schema: InputRecordSchema) -> Dict[str, Any]:
    """
    Given a schema, generate a JSON schema definition.

    :param schema:
    :return:
    """
    # Sanitise each field of the schema
    sanitised_fields = {}

    if schema.fields is None:
        return {}

    for field in schema.fields:
        sanitised_fields.update(
            {
                get_value_from_uri(field.name): sanitise_schema_field(
                    {"type": field.type_}
                )
            }
        )

    # Generate JSON properties
    property_list = []

    for prop_name, prop_obj in sanitised_fields.items():
        # Simplify type first by removing nulls
        required = True

        # If the property object is a string, then it's a reference to another schema
        if isinstance(prop_obj, str):
            raise TypeError("Property Object should be a dictionary")

        if isinstance(prop_obj.get("type", []), List):
            if "null" in prop_obj.get("type", []):
                required = False
            prop_obj["type"] = list(
                filter(lambda type_item: type_item != "null", prop_obj.get("type", []))
            )

            # Check if we're down to one item
            if len(prop_obj["type"]) == 1:
                prop_obj["type"] = prop_obj["type"][0]

        # Generate JSONSchema Property
        prop = JSONSchemaProperty(
            name=prop_name,
            type_=prop_obj.get("type"),
            description=prop_obj.get("doc", ""),
            required=required,
        )
        property_list.append(prop)

    return {
        to_pascal_case(get_value_from_uri(str(schema.name))): {
            "type": "object",
            "properties": {prop.name: prop.type_dict for prop in property_list},
            "required": [prop.name for prop in property_list if prop.required],
        }
    }


def cwl_to_jsonschema(cwl_obj: Union[Workflow, CommandLineTool]) -> Any:
    """
    cwl_obj: A CWL Object.

    Returns:
        A JSONSchema object.

    Example:
        cwl_obj = load_document_by_uri(<CWL_URL>)
        jsonschema = cwl_to_jsonschema(cwl_inputs)

    """
    # Initialise the schema from the workflow input json schema template
    with open(JSON_TEMPLATE_PATH, "r") as template_h:
        input_json_schema = json.load(template_h)

    # Get the complex schema keys
    def is_complex_record_schema_key(idx_iter: str) -> TypeGuard[bool]:
        if cwl_obj.loadingOptions.idx is None:
            return False

        if cwl_obj.loadingOptions.idx.get(idx_iter) is None:
            return False

        if not isinstance(cwl_obj.loadingOptions.idx.get(idx_iter), tuple):
            return False

        # Get index as a tuple
        input_schema_type, _ = cwl_obj.loadingOptions.idx.get(idx_iter, (None, None))

        if isinstance(input_schema_type, InputRecordSchemaTypes):
            return True
        return False

    complex_schema_keys: List[str] = list(
        filter(
            lambda idx_iter: is_complex_record_schema_key(idx_iter),
            cwl_obj.loadingOptions.idx.keys(),
        )
    )

    # Complex schema values
    def get_complex_schema_values(idx_iter: str) -> InputRecordSchema:
        if not isinstance(cwl_obj.loadingOptions.idx.get(idx_iter), tuple):
            raise TypeError(f"Expected tuple from idx loading options key {idx_iter}")

        # Collect input record schema
        input_record_schema, _ = cwl_obj.loadingOptions.idx.get(idx_iter, (None, None))

        if not isinstance(input_record_schema, InputRecordSchemaTypes):
            raise TypeError(
                f"Expected InputRecordSchemaTypes from idx loading options key {idx_iter}"
            )

        return input_record_schema

    complex_schema_values: List[InputRecordSchema] = list(
        map(
            lambda idx_iter: get_complex_schema_values(idx_iter),
            complex_schema_keys,
        )
    )

    # Load in all $imports to be referred by complex input types
    workflow_schema_definitions_list = list(
        map(
            lambda complex_schema_values_iter: generate_definition_from_schema(
                complex_schema_values_iter
            ),
            complex_schema_values,
        )
    )

    if cwl_obj.requirements is not None:
        try:
            schema_def_requirement = next(
                filter(
                    lambda requirement_iter: requirement_iter.class_
                    == "SchemaDefRequirement",
                    cwl_obj.requirements,
                )
            )

            workflow_schema_definitions_list.extend(
                list(
                    map(
                        lambda schema_def_iter: generate_definition_from_schema(
                            schema_def_iter
                        ),
                        schema_def_requirement.types,
                    )
                )
            )

        except StopIteration:
            pass

    # Convert schema definitions to dict
    workflow_schema_definitions_dict = {}
    for schema_definition in workflow_schema_definitions_list:
        workflow_schema_definitions_dict.update(schema_definition)

    # Generate JSON Schema Properties
    properties = list(
        map(
            lambda workflow_parameter_input_obj: generate_json_schema_property_from_input_parameter(
                workflow_parameter_input_obj
            ),
            cwl_obj.inputs,
        )
    )

    # Generate JSON schema
    input_json_schema.update(
        {
            "type": "object",
            "properties": {
                prop.name: (
                    {"oneOf": [{"type": "null"}, prop.type_dict]}
                    if prop.required is False
                    else prop.type_dict
                )
                for prop in properties
            },
            "required": [prop.name for prop in properties if prop.required],
        }
    )

    # Update definitions from schema
    input_json_schema["definitions"].update(workflow_schema_definitions_dict)

    # Slim down the schema as required
    input_json_schema = slim_definitions(input_json_schema)

    # Add "additionalProperties": false to top of schema
    # input_json_schema["additionalProperties"] = False

    return input_json_schema


# Traverse the properties and return all definitions that are used
def _recursive_search(
    json_data: Dict[str, Any],
    target_key: str,
) -> List[Any]:
    """Given a target key return all instances of a key in a json object."""
    result = []

    if isinstance(json_data, dict):
        for key, value in json_data.items():
            if key == target_key:
                result.append(value)
            else:
                result.extend(_recursive_search(value, target_key))
    elif isinstance(json_data, list):
        for item in json_data:
            result.extend(_recursive_search(item, target_key))

    return result


# Get all the property dependencies
def _get_all_ref_attributes(json_object: Dict[str, Any]) -> List[Any]:
    """Given a json object, return all the reference attributes."""
    return _recursive_search(json_object, "$ref")


def get_property_dependencies(
    property_dict: Dict[str, Any],
    input_json_schema: Dict[str, Any],
    existing_property_dependencies: Optional[List[Any]] = None,
) -> List[str]:
    """Recursively collect all dependencies for a property."""
    # Initialise return list
    if existing_property_dependencies is None:
        existing_property_dependencies = []

    # All reference attributes
    for reference_attribute in _get_all_ref_attributes(property_dict):
        # Get the value from the reference attribute
        reference_value = get_value_from_uri(reference_attribute)
        # If the reference value is not in the existing property dependencies, add it
        if reference_value not in existing_property_dependencies:
            existing_property_dependencies.append(reference_value)
            # Get the property dependencies of the reference value
            existing_property_dependencies.extend(
                get_property_dependencies(
                    input_json_schema["definitions"][reference_value],
                    input_json_schema,
                    existing_property_dependencies,
                )
            )

    return existing_property_dependencies


def slim_definitions(input_json_schema: Dict[str, Any]) -> Dict[str, Any]:
    """
    Slim down the schema to only the definitions that are used by the properties.

    Traverse the properties and return all definitions that are used.
    Remove all other definitions.
    """
    # Copy schema
    input_json_schema = deepcopy(input_json_schema)

    # Get required definitions
    required_definitions = get_property_dependencies(
        input_json_schema.get("properties", {}), input_json_schema
    )

    for definition_key in list(input_json_schema["definitions"].keys()):
        if definition_key not in required_definitions:
            del input_json_schema["definitions"][definition_key]

    return input_json_schema


def arg_parser() -> argparse.ArgumentParser:
    """Build the argument parser."""
    parser = argparse.ArgumentParser(description="Generate JSON Schema from a CWL URI.")
    parser.add_argument("cwl_url", help="URL or Path to the CWL document")
    parser.add_argument(
        "-o",
        "--output",
        type=argparse.FileType("w"),
        default=sys.stdout,
        help="Output file. Default is stdout.",
    )
    return parser


def parse_args(args: List[str]) -> argparse.Namespace:
    """Parse the command line arguments."""
    return arg_parser().parse_args(args)


def main() -> None:
    """Console entry point."""
    sys.exit(run(parse_args(sys.argv[1:])))


def get_cwl_url(url: str) -> str:
    """
    Conform to uri format.

    If no scheme, then assert is a local file path and exists
    if scheme is file, then assert is a local file path and exists
    If scheme is not file, then assert is a valid Web URL
    Return either the url or the local path as a uri.
    """
    if not is_uri(url):
        if not Path(url).exists():
            logging.error("The CWL URL is invalid.")
            raise FileNotFoundError
        return Path(url).as_uri()
    elif is_local_uri(url):
        if not Path(urlparse(url).path).exists():
            logging.error("The CWL URL is invalid.")
            raise FileNotFoundError
        return url
    else:
        # urlparse(url).scheme not in ['file']:
        response = requests.get(url, timeout=20)
        if response.status_code != 200:
            logging.error("The CWL URL is invalid.")
            raise FileNotFoundError
        return url


def run(args: argparse.Namespace) -> int:
    """Run the main program."""
    # Check the cwl_url is valid
    cwl_url = get_cwl_url(args.cwl_url)

    # Check the output file is writable
    if args.output.name != "<stdout>":
        if not Path(args.output.name).parent.is_dir():
            logging.error(
                "The output file is not writable, the output parent directory does not exist"
            )
            return 1

    _logger.info("Loading the CWL document")
    cwl_obj = load_document_by_uri(cwl_url)

    try:
        jsonschema = cwl_to_jsonschema(cwl_obj)
    except Exception as e:
        _logger.exception(
            "Failed to generate JSON Schema from CWL inputs object. Error: %s", e
        )
        return 1
    args.output.write(json.dumps(jsonschema, indent=2) + "\n")

    return 0


if __name__ == "__main__":
    main()