• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1#!/usr/bin/python3
2# Copyright 2021 The ANGLE Project Authors. All rights reserved.
3# Use of this source code is governed by a BSD-style license that can be
4# found in the LICENSE file.
5#
6# gen_spirv_builder_and_parser.py:
7#   Code generation for SPIR-V instruction builder and parser.
8#   NOTE: don't run this script directly. Run scripts/run_code_generation.py.
9
10import itertools
11import json
12import os
13import sys
14
15# ANGLE uses SPIR-V 1.0 currently, so there's no reason to generate code for newer instructions.
16SPIRV_GRAMMAR_FILE = '../../../third_party/vulkan-deps/spirv-headers/src/include/spirv/1.0/spirv.core.grammar.json'
17
18# Cherry pick some extra extensions from here that aren't in SPIR-V 1.0.
19SPIRV_CHERRY_PICKED_EXTENSIONS_FILE = '../../../third_party/vulkan-deps/spirv-headers/src/include/spirv/unified1/spirv.core.grammar.json'
20
21# The script has two sets of outputs, a header and source file for SPIR-V code generation, and a
22# header and source file for SPIR-V parsing.
23SPIRV_BUILDER_FILE = 'spirv_instruction_builder'
24SPIRV_PARSER_FILE = 'spirv_instruction_parser'
25
26# The types are either defined in spirv_types.h (to use strong types), or are enums that are
27# defined by SPIR-V headers.
28ANGLE_DEFINED_TYPES = [
29    'IdRef', 'IdResult', 'IdResultType', 'IdMemorySemantics', 'IdScope', 'LiteralInteger',
30    'LiteralString', 'LiteralContextDependentNumber', 'LiteralExtInstInteger',
31    'PairLiteralIntegerIdRef', 'PairIdRefLiteralInteger', 'PairIdRefIdRef'
32]
33
34HEADER_TEMPLATE = """// GENERATED FILE - DO NOT EDIT.
35// Generated by {script_name} using data from {data_source_name}.
36//
37// Copyright 2021 The ANGLE Project Authors. All rights reserved.
38// Use of this source code is governed by a BSD-style license that can be
39// found in the LICENSE file.
40//
41// {file_name}_autogen.h:
42//   Functions to {verb} SPIR-V binary for each instruction.
43
44#ifndef COMMON_SPIRV_{file_name_capitalized}AUTOGEN_H_
45#define COMMON_SPIRV_{file_name_capitalized}AUTOGEN_H_
46
47#include <spirv/unified1/spirv.hpp>
48
49#include "spirv_types.h"
50
51namespace angle
52{{
53namespace spirv
54{{
55{prototype_list}
56}}  // namespace spirv
57}}  // namespace angle
58
59#endif // COMMON_SPIRV_{file_name_capitalized}AUTOGEN_H_
60"""
61
62SOURCE_TEMPLATE = """// GENERATED FILE - DO NOT EDIT.
63// Generated by {script_name} using data from {data_source_name}.
64//
65// Copyright 2021 The ANGLE Project Authors. All rights reserved.
66// Use of this source code is governed by a BSD-style license that can be
67// found in the LICENSE file.
68//
69// {file_name}_autogen.cpp:
70//   Functions to {verb} SPIR-V binary for each instruction.
71
72#include "{file_name}_autogen.h"
73
74#include <string.h>
75
76#include "common/debug.h"
77
78namespace angle
79{{
80namespace spirv
81{{
82{helper_functions}
83
84{function_list}
85}}  // namespace spirv
86}}  // namespace angle
87"""
88
89BUILDER_HELPER_FUNCTIONS = """namespace
90{
91uint32_t MakeLengthOp(size_t length, spv::Op op)
92{
93    ASSERT(length <= 0xFFFFu);
94    ASSERT(op <= 0xFFFFu);
95
96    return static_cast<uint32_t>(length) << 16 | op;
97}
98}  // anonymous namespace
99
100void WriteSpirvHeader(std::vector<uint32_t> *blob, uint32_t idCount)
101{
102    // Header:
103    //
104    //  - Magic number
105    //  - Version (1.0)
106    //  - ANGLE's Generator number:
107    //     * 24 for tool id (higher 16 bits)
108    //     * 1 for tool version (lower 16 bits))
109    //  - Bound (idCount)
110    //  - 0 (reserved)
111    constexpr uint32_t kANGLEGeneratorId = 24;
112    constexpr uint32_t kANGLEGeneratorVersion = 1;
113
114    ASSERT(blob->empty());
115
116    blob->push_back(spv::MagicNumber);
117    blob->push_back(0x00010000);
118    blob->push_back(kANGLEGeneratorId << 16 | kANGLEGeneratorVersion);
119    blob->push_back(idCount);
120    blob->push_back(0x00000000);
121}
122"""
123
124BUILDER_HELPER_FUNCTION_PROTOTYPE = """
125    void WriteSpirvHeader(std::vector<uint32_t> *blob, uint32_t idCount);
126"""
127
128PARSER_FIXED_FUNCTIONS_PROTOTYPES = """void GetInstructionOpAndLength(const uint32_t *_instruction,
129    spv::Op *opOut, uint32_t *lengthOut);
130"""
131
132PARSER_FIXED_FUNCTIONS = """void GetInstructionOpAndLength(const uint32_t *_instruction,
133    spv::Op *opOut, uint32_t *lengthOut)
134{
135    constexpr uint32_t kOpMask = 0xFFFFu;
136    *opOut = static_cast<spv::Op>(_instruction[0] & kOpMask);
137    *lengthOut = _instruction[0] >> 16;
138}
139"""
140
141TEMPLATE_BUILDER_FUNCTION_PROTOTYPE = """void Write{op}(Blob *blob {param_list})"""
142TEMPLATE_BUILDER_FUNCTION_BODY = """{{
143    const size_t startSize = blob->size();
144    blob->push_back(0);
145    {push_back_lines}
146    (*blob)[startSize] = MakeLengthOp(blob->size() - startSize, spv::Op{op});
147}}
148"""
149
150TEMPLATE_PARSER_FUNCTION_PROTOTYPE = """void Parse{op}(const uint32_t *_instruction {param_list})"""
151TEMPLATE_PARSER_FUNCTION_BODY = """{{
152    spv::Op _op;
153    uint32_t _length;
154    GetInstructionOpAndLength(_instruction, &_op, &_length);
155    ASSERT(_op == spv::Op{op});
156    uint32_t _o = 1;
157    {parse_lines}
158}}
159"""
160
161
162def load_grammar(grammar_file):
163    with open(grammar_file) as grammar_in:
164        grammar = json.loads(grammar_in.read())
165
166    return grammar
167
168
169def remove_chars(string, chars):
170    return ''.join(list(filter(lambda c: c not in chars, string)))
171
172
173def make_camel_case(name):
174    return name[0].lower() + name[1:]
175
176
177class Writer:
178
179    def __init__(self):
180        self.path_prefix = os.path.dirname(os.path.realpath(__file__)) + os.path.sep
181        self.grammar = load_grammar(self.path_prefix + SPIRV_GRAMMAR_FILE)
182
183        # We need some extensions that aren't in SPIR-V 1.0. Cherry pick them into our grammar.
184        cherry_picked_extensions = {'SPV_EXT_fragment_shader_interlock'}
185        cherry_picked_extensions_grammar = load_grammar(self.path_prefix +
186                                                        SPIRV_CHERRY_PICKED_EXTENSIONS_FILE)
187        self.grammar['instructions'] += [
188            i for i in cherry_picked_extensions_grammar['instructions']
189            if 'extensions' in i and set(i['extensions']) & cherry_picked_extensions
190        ]
191
192        # If an instruction has a parameter of these types, the instruction is ignored
193        self.unsupported_kinds = set(['LiteralSpecConstantOpInteger'])
194        # If an instruction requires a capability of these kinds, the instruction is ignored
195        self.unsupported_capabilities = set(['Kernel', 'Addresses'])
196        # If an instruction requires an extension other than these, the instruction is ignored
197        self.supported_extensions = set([]) | cherry_picked_extensions
198        # List of bit masks.  These have 'Mask' added to their typename in SPIR-V headers.
199        self.bit_mask_types = set([])
200
201        # List of generated instructions builder/parser functions so far.
202        self.instruction_builder_prototypes = [BUILDER_HELPER_FUNCTION_PROTOTYPE]
203        self.instruction_builder_impl = []
204        self.instruction_parser_prototypes = [PARSER_FIXED_FUNCTIONS_PROTOTYPES]
205        self.instruction_parser_impl = [PARSER_FIXED_FUNCTIONS]
206
207    def write_builder_and_parser(self):
208        """Generates four files, a set of header and source files for generating SPIR-V instructions
209        and a set for parsing SPIR-V instructions.  Only Vulkan instructions are processed (and not
210        OpenCL for example), and some assumptions are made based on ANGLE's usage (for example that
211        constants always fit in one 32-bit unit, as GLES doesn't support double or 64-bit types).
212
213        Additionally, enums and other parameter 'kinds' are not parsed from the json file, but
214        rather use the definitions from the SPIR-V headers repository and the spirv_types.h file."""
215
216        # Recurse through capabilities and accumulate ones that depend on unsupported ones.
217        self.accumulate_unsupported_capabilities()
218
219        self.find_bit_mask_types()
220
221        for instruction in self.grammar['instructions']:
222            self.generate_instruction_functions(instruction)
223
224        # Write out the files.
225        data_source_base_name = os.path.basename(SPIRV_GRAMMAR_FILE)
226        builder_template_args = {
227            'script_name': os.path.basename(sys.argv[0]),
228            'data_source_name': data_source_base_name,
229            'file_name': SPIRV_BUILDER_FILE,
230            'file_name_capitalized': remove_chars(SPIRV_BUILDER_FILE.upper(), '_'),
231            'verb': 'generate',
232            'helper_functions': BUILDER_HELPER_FUNCTIONS,
233            'prototype_list': ''.join(self.instruction_builder_prototypes),
234            'function_list': ''.join(self.instruction_builder_impl)
235        }
236        parser_template_args = {
237            'script_name': os.path.basename(sys.argv[0]),
238            'data_source_name': data_source_base_name,
239            'file_name': SPIRV_PARSER_FILE,
240            'file_name_capitalized': remove_chars(SPIRV_PARSER_FILE.upper(), '_'),
241            'verb': 'parse',
242            'helper_functions': '',
243            'prototype_list': ''.join(self.instruction_parser_prototypes),
244            'function_list': ''.join(self.instruction_parser_impl)
245        }
246
247        with (open(self.path_prefix + SPIRV_BUILDER_FILE + '_autogen.h', 'w')) as f:
248            f.write(HEADER_TEMPLATE.format(**builder_template_args))
249
250        with (open(self.path_prefix + SPIRV_BUILDER_FILE + '_autogen.cpp', 'w')) as f:
251            f.write(SOURCE_TEMPLATE.format(**builder_template_args))
252
253        with (open(self.path_prefix + SPIRV_PARSER_FILE + '_autogen.h', 'w')) as f:
254            f.write(HEADER_TEMPLATE.format(**parser_template_args))
255
256        with (open(self.path_prefix + SPIRV_PARSER_FILE + '_autogen.cpp', 'w')) as f:
257            f.write(SOURCE_TEMPLATE.format(**parser_template_args))
258
259    def requires_unsupported_capability(self, item):
260        depends = item.get('capabilities', [])
261        if len(depends) == 0:
262            return False
263        return all([dep in self.unsupported_capabilities for dep in depends])
264
265    def requires_unsupported_extension(self, item):
266        extensions = item.get('extensions', [])
267        return any([ext not in self.supported_extensions for ext in extensions])
268
269    def accumulate_unsupported_capabilities(self):
270        operand_kinds = self.grammar['operand_kinds']
271
272        # Find the Capability enum
273        for kind in filter(lambda entry: entry['kind'] == 'Capability', operand_kinds):
274            capabilities = kind['enumerants']
275            for capability in capabilities:
276                name = capability['enumerant']
277                # For each capability, see if any of the capabilities they depend on is unsupported.
278                # If so, add the capability to the list of unsupported ones.
279                if self.requires_unsupported_capability(capability):
280                    self.unsupported_capabilities.add(name)
281                    continue
282                # Do the same for extensions
283                if self.requires_unsupported_extension(capability):
284                    self.unsupported_capabilities.add(name)
285
286    def find_bit_mask_types(self):
287        operand_kinds = self.grammar['operand_kinds']
288
289        # Find the BitEnum categories
290        for bitEnumEntry in filter(lambda entry: entry['category'] == 'BitEnum', operand_kinds):
291            self.bit_mask_types.add(bitEnumEntry['kind'])
292
293    def get_operand_name(self, operand):
294        kind = operand['kind']
295        name = operand.get('name')
296
297        # If no name is given, derive the name from the kind
298        if name is None:
299            assert (kind.find(' ') == -1)
300            return make_camel_case(kind)
301
302        quantifier = operand.get('quantifier', '')
303        name = remove_chars(name, "'")
304
305        # First, a number of special-cases for optional lists
306        if quantifier == '*':
307            suffix = 'List'
308
309            # For IdRefs, change 'Xyz 1', +\n'Xyz 2', +\n...' to xyzList
310            if kind == 'IdRef':
311                if name.find(' ') != -1:
312                    name = name[0:name.find(' ')]
313
314            # Otherwise, if it's a pair in the form of 'Xyz, Abc, ...', change it to xyzAbcPairList
315            elif kind.startswith('Pair'):
316                suffix = 'PairList'
317
318            # Otherwise, it's just a list, so change `xyz abc` to `xyzAbcList
319
320            name = remove_chars(name, " ,.")
321            return make_camel_case(name) + suffix
322
323        # Otherwise, remove invalid characters and make the first letter lower case.
324        name = remove_chars(name, " .,+\n~")
325
326        name = make_camel_case(name)
327
328        # Make sure the name is not a C++ keyword
329        return 'default_' if name == 'default' else name
330
331    def get_operand_namespace(self, kind):
332        return '' if kind in ANGLE_DEFINED_TYPES else 'spv::'
333
334    def get_operand_type_suffix(self, kind):
335        return 'Mask' if kind in self.bit_mask_types else ''
336
337    def get_kind_cpp_type(self, kind):
338        return self.get_operand_namespace(kind) + kind + self.get_operand_type_suffix(kind)
339
340    def get_operand_type_in_and_out(self, operand):
341        kind = operand['kind']
342        quantifier = operand.get('quantifier', '')
343
344        is_array = quantifier == '*'
345        is_optional = quantifier == '?'
346        cpp_type = self.get_kind_cpp_type(kind)
347
348        if is_array:
349            type_in = 'const ' + cpp_type + 'List &'
350            type_out = cpp_type + 'List *'
351        elif is_optional:
352            type_in = 'const ' + cpp_type + ' *'
353            type_out = cpp_type + ' *'
354        else:
355            type_in = cpp_type
356            type_out = cpp_type + ' *'
357
358        return (type_in, type_out, is_array, is_optional)
359
360    def get_operand_push_back_line(self, operand, operand_name, is_array, is_optional):
361        kind = operand['kind']
362        pre = ''
363        post = ''
364        accessor = '.'
365        item = operand_name
366        item_dereferenced = item
367        if is_optional:
368            # If optional, surround with an if.
369            pre = 'if (' + operand_name + ') {\n'
370            post = '\n}'
371            accessor = '->'
372            item_dereferenced = '*' + item
373        elif is_array:
374            # If array, surround with a loop.
375            pre = 'for (const auto &operand : ' + operand_name + ') {\n'
376            post = '\n}'
377            item = 'operand'
378            item_dereferenced = item
379
380        # Usually the operand is one uint32_t, but it may be pair.  Handle the pairs especially.
381        if kind == 'PairLiteralIntegerIdRef':
382            line = 'blob->push_back(' + item + accessor + 'literal);'
383            line += 'blob->push_back(' + item + accessor + 'id);'
384        elif kind == 'PairIdRefLiteralInteger':
385            line = 'blob->push_back(' + item + accessor + 'id);'
386            line += 'blob->push_back(' + item + accessor + 'literal);'
387        elif kind == 'PairIdRefIdRef':
388            line = 'blob->push_back(' + item + accessor + 'id1);'
389            line += 'blob->push_back(' + item + accessor + 'id2);'
390        elif kind == 'LiteralString':
391            line = '{size_t d = blob->size();'
392            line += 'blob->resize(d + strlen(' + item_dereferenced + ') / 4 + 1, 0);'
393            # We currently don't have any big-endian devices in the list of supported platforms.
394            # Literal strings in SPIR-V are stored little-endian (SPIR-V 1.0 Section 2.2.1, Literal
395            # String), so if a big-endian device is to be supported, the string copy here should
396            # be adjusted.
397            line += 'ASSERT(IsLittleEndian());'
398            line += 'strcpy(reinterpret_cast<char *>(blob->data() + d), ' + item_dereferenced + ');}'
399        else:
400            line = 'blob->push_back(' + item_dereferenced + ');'
401
402        return pre + line + post
403
404    def get_operand_parse_line(self, operand, operand_name, is_array, is_optional):
405        kind = operand['kind']
406        pre = ''
407        post = ''
408        accessor = '->'
409
410        if is_optional:
411            # If optional, surround with an if, both checking if argument is provided, and whether
412            # it exists.
413            pre = 'if (' + operand_name + ' && _o < _length) {\n'
414            post = '\n}'
415        elif is_array:
416            # If array, surround with an if and a loop.
417            pre = 'if (' + operand_name + ') {\n'
418            pre += 'while (_o < _length) {\n'
419            post = '\n}}'
420            accessor = '.'
421
422        # Usually the operand is one uint32_t, but it may be pair.  Handle the pairs especially.
423        if kind == 'PairLiteralIntegerIdRef':
424            if is_array:
425                line = operand_name + '->emplace_back(' + kind + '{LiteralInteger(_instruction[_o]), IdRef(_instruction[_o + 1])});'
426                line += '_o += 2;'
427            else:
428                line = operand_name + '->literal = LiteralInteger(_instruction[_o++]);'
429                line += operand_name + '->id = IdRef(_instruction[_o++]);'
430        elif kind == 'PairIdRefLiteralInteger':
431            if is_array:
432                line = operand_name + '->emplace_back(' + kind + '{IdRef(_instruction[_o]), LiteralInteger(_instruction[_o + 1])});'
433                line += '_o += 2;'
434            else:
435                line = operand_name + '->id = IdRef(_instruction[_o++]);'
436                line += operand_name + '->literal = LiteralInteger(_instruction[_o++]);'
437        elif kind == 'PairIdRefIdRef':
438            if is_array:
439                line = operand_name + '->emplace_back(' + kind + '{IdRef(_instruction[_o]), IdRef(_instruction[_o + 1])});'
440                line += '_o += 2;'
441            else:
442                line = operand_name + '->id1 = IdRef(_instruction[_o++]);'
443                line += operand_name + '->id2 = IdRef(_instruction[_o++]);'
444        elif kind == 'LiteralString':
445            # The length of string in words is ceil((strlen(str) + 1) / 4).  This is equal to
446            # (strlen(str)+1+3) / 4, which is equal to strlen(str)/4+1.
447            assert (not is_array)
448            # See handling of LiteralString in get_operand_push_back_line.
449            line = 'ASSERT(IsLittleEndian());'
450            line += '*' + operand_name + ' = reinterpret_cast<const char *>(&_instruction[_o]);'
451            line += '_o += strlen(*' + operand_name + ') / 4 + 1;'
452        else:
453            if is_array:
454                line = operand_name + '->emplace_back(_instruction[_o++]);'
455            else:
456                line = '*' + operand_name + ' = ' + self.get_kind_cpp_type(
457                    kind) + '(_instruction[_o++]);'
458
459        return pre + line + post
460
461    def process_operand(self, operand, cpp_operands_in, cpp_operands_out, cpp_in_parse_lines,
462                        cpp_out_push_back_lines):
463        operand_name = self.get_operand_name(operand)
464        type_in, type_out, is_array, is_optional = self.get_operand_type_in_and_out(operand)
465
466        # Make the parameter list
467        cpp_operands_in.append(', ' + type_in + ' ' + operand_name)
468        cpp_operands_out.append(', ' + type_out + ' ' + operand_name)
469
470        # Make the builder body lines
471        cpp_out_push_back_lines.append(
472            self.get_operand_push_back_line(operand, operand_name, is_array, is_optional))
473
474        # Make the parser body lines
475        cpp_in_parse_lines.append(
476            self.get_operand_parse_line(operand, operand_name, is_array, is_optional))
477
478    def generate_instruction_functions(self, instruction):
479        name = instruction['opname']
480        assert (name.startswith('Op'))
481        name = name[2:]
482
483        # Skip if the instruction depends on a capability or extension we aren't interested in
484        if self.requires_unsupported_capability(instruction):
485            return
486        if self.requires_unsupported_extension(instruction):
487            return
488
489        operands = instruction.get('operands', [])
490
491        # Skip if any of the operands are not supported
492        if any([operand['kind'] in self.unsupported_kinds for operand in operands]):
493            return
494
495        cpp_operands_in = []
496        cpp_operands_out = []
497        cpp_in_parse_lines = []
498        cpp_out_push_back_lines = []
499
500        for operand in operands:
501            self.process_operand(operand, cpp_operands_in, cpp_operands_out, cpp_in_parse_lines,
502                                 cpp_out_push_back_lines)
503
504            # get_operand_parse_line relies on there only being one array parameter, and it being
505            # the last.
506            assert (operand.get('quantifier') != '*' or len(cpp_in_parse_lines) == len(operands))
507
508            if operand['kind'] == 'Decoration':
509                # Special handling of Op*Decorate instructions with a Decoration operand.  That
510                # operand always comes last, and implies a number of LiteralIntegers to follow.
511                assert (len(cpp_in_parse_lines) == len(operands))
512
513                decoration_operands = {
514                    'name': 'values',
515                    'kind': 'LiteralInteger',
516                    'quantifier': '*'
517                }
518                self.process_operand(decoration_operands, cpp_operands_in, cpp_operands_out,
519                                     cpp_in_parse_lines, cpp_out_push_back_lines)
520
521            elif operand['kind'] == 'ExecutionMode':
522                # Special handling of OpExecutionMode instruction with an ExecutionMode operand.
523                # That operand always comes last, and implies a number of LiteralIntegers to follow.
524                assert (len(cpp_in_parse_lines) == len(operands))
525
526                execution_mode_operands = {
527                    'name': 'operands',
528                    'kind': 'LiteralInteger',
529                    'quantifier': '*'
530                }
531                self.process_operand(execution_mode_operands, cpp_operands_in, cpp_operands_out,
532                                     cpp_in_parse_lines, cpp_out_push_back_lines)
533
534            elif operand['kind'] == 'ImageOperands':
535                # Special handling of OpImage* instructions with an ImageOperands operand.  That
536                # operand always comes last, and implies a number of IdRefs to follow with different
537                # meanings based on the bits set in said operand.
538                assert (len(cpp_in_parse_lines) == len(operands))
539
540                image_operands = {'name': 'imageOperandIds', 'kind': 'IdRef', 'quantifier': '*'}
541                self.process_operand(image_operands, cpp_operands_in, cpp_operands_out,
542                                     cpp_in_parse_lines, cpp_out_push_back_lines)
543
544        # Make the builder prototype body
545        builder_prototype = TEMPLATE_BUILDER_FUNCTION_PROTOTYPE.format(
546            op=name, param_list=''.join(cpp_operands_in))
547        self.instruction_builder_prototypes.append(builder_prototype + ';\n')
548        self.instruction_builder_impl.append(
549            builder_prototype + '\n' + TEMPLATE_BUILDER_FUNCTION_BODY.format(
550                op=name, push_back_lines='\n'.join(cpp_out_push_back_lines)))
551
552        if len(operands) == 0:
553            return
554
555        parser_prototype = TEMPLATE_PARSER_FUNCTION_PROTOTYPE.format(
556            op=name, param_list=''.join(cpp_operands_out))
557        self.instruction_parser_prototypes.append(parser_prototype + ';\n')
558        self.instruction_parser_impl.append(
559            parser_prototype + '\n' + TEMPLATE_PARSER_FUNCTION_BODY.format(
560                op=name, parse_lines='\n'.join(cpp_in_parse_lines)))
561
562
563def main():
564
565    # auto_script parameters.
566    if len(sys.argv) > 1:
567        if sys.argv[1] == 'inputs':
568            print(SPIRV_GRAMMAR_FILE)
569        elif sys.argv[1] == 'outputs':
570            output_files_base = [SPIRV_BUILDER_FILE, SPIRV_PARSER_FILE]
571            output_files = [
572                '_autogen.'.join(pair)
573                for pair in itertools.product(output_files_base, ['h', 'cpp'])
574            ]
575            print(','.join(output_files))
576        else:
577            print('Invalid script parameters')
578            return 1
579        return 0
580
581    writer = Writer()
582    writer.write_builder_and_parser()
583
584    return 0
585
586
587if __name__ == '__main__':
588    sys.exit(main())
589