2017-04-26 21:56:40 +00:00
|
|
|
#!/usr/bin/env python2
|
2018-07-18 09:40:26 +00:00
|
|
|
# Copyright 2017 The Dawn Authors
|
2017-04-20 18:38:20 +00:00
|
|
|
#
|
|
|
|
# Licensed under the Apache License, Version 2.0 (the "License");
|
|
|
|
# you may not use this file except in compliance with the License.
|
|
|
|
# You may obtain a copy of the License at
|
|
|
|
#
|
|
|
|
# http://www.apache.org/licenses/LICENSE-2.0
|
|
|
|
#
|
|
|
|
# Unless required by applicable law or agreed to in writing, software
|
|
|
|
# distributed under the License is distributed on an "AS IS" BASIS,
|
|
|
|
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
|
|
# See the License for the specific language governing permissions and
|
|
|
|
# limitations under the License.
|
|
|
|
|
|
|
|
############################################################
|
|
|
|
# COMMON
|
|
|
|
############################################################
|
|
|
|
from collections import namedtuple
|
|
|
|
|
|
|
|
class Name:
|
|
|
|
def __init__(self, name, native=False):
|
|
|
|
self.native = native
|
|
|
|
if native:
|
|
|
|
self.chunks = [name]
|
|
|
|
else:
|
|
|
|
self.chunks = name.split(' ')
|
|
|
|
|
|
|
|
def CamelChunk(self, chunk):
|
|
|
|
return chunk[0].upper() + chunk[1:]
|
|
|
|
|
|
|
|
def canonical_case(self):
|
|
|
|
return (' '.join(self.chunks)).lower()
|
|
|
|
|
|
|
|
def concatcase(self):
|
|
|
|
return ''.join(self.chunks)
|
|
|
|
|
|
|
|
def camelCase(self):
|
|
|
|
return self.chunks[0] + ''.join([self.CamelChunk(chunk) for chunk in self.chunks[1:]])
|
|
|
|
|
|
|
|
def CamelCase(self):
|
|
|
|
return ''.join([self.CamelChunk(chunk) for chunk in self.chunks])
|
|
|
|
|
|
|
|
def SNAKE_CASE(self):
|
|
|
|
return '_'.join([chunk.upper() for chunk in self.chunks])
|
|
|
|
|
|
|
|
def snake_case(self):
|
|
|
|
return '_'.join(self.chunks)
|
|
|
|
|
|
|
|
class Type:
|
|
|
|
def __init__(self, name, record, native=False):
|
|
|
|
self.record = record
|
|
|
|
self.dict_name = name
|
|
|
|
self.name = Name(name, native=native)
|
|
|
|
self.category = record['category']
|
|
|
|
self.is_builder = self.name.canonical_case().endswith(" builder")
|
|
|
|
|
|
|
|
EnumValue = namedtuple('EnumValue', ['name', 'value'])
|
|
|
|
class EnumType(Type):
|
|
|
|
def __init__(self, name, record):
|
|
|
|
Type.__init__(self, name, record)
|
|
|
|
self.values = [EnumValue(Name(m['name']), m['value']) for m in self.record['values']]
|
|
|
|
|
|
|
|
BitmaskValue = namedtuple('BitmaskValue', ['name', 'value'])
|
|
|
|
class BitmaskType(Type):
|
|
|
|
def __init__(self, name, record):
|
|
|
|
Type.__init__(self, name, record)
|
|
|
|
self.values = [BitmaskValue(Name(m['name']), m['value']) for m in self.record['values']]
|
|
|
|
self.full_mask = 0
|
|
|
|
for value in self.values:
|
|
|
|
self.full_mask = self.full_mask | value.value
|
|
|
|
|
|
|
|
class NativeType(Type):
|
|
|
|
def __init__(self, name, record):
|
|
|
|
Type.__init__(self, name, record, native=True)
|
|
|
|
|
2017-04-20 18:42:36 +00:00
|
|
|
class NativelyDefined(Type):
|
|
|
|
def __init__(self, name, record):
|
|
|
|
Type.__init__(self, name, record)
|
|
|
|
|
2017-04-20 18:38:20 +00:00
|
|
|
class MethodArgument:
|
|
|
|
def __init__(self, name, typ, annotation):
|
|
|
|
self.name = name
|
|
|
|
self.type = typ
|
|
|
|
self.annotation = annotation
|
|
|
|
self.length = None
|
|
|
|
|
|
|
|
Method = namedtuple('Method', ['name', 'return_type', 'arguments'])
|
|
|
|
class ObjectType(Type):
|
|
|
|
def __init__(self, name, record):
|
|
|
|
Type.__init__(self, name, record)
|
|
|
|
self.methods = []
|
2017-04-20 18:42:36 +00:00
|
|
|
self.native_methods = []
|
2017-04-20 18:43:11 +00:00
|
|
|
self.built_type = None
|
2017-04-20 18:38:20 +00:00
|
|
|
|
2018-05-17 20:55:53 +00:00
|
|
|
class StructureMember:
|
|
|
|
def __init__(self, name, typ, annotation):
|
|
|
|
self.name = name
|
|
|
|
self.type = typ
|
|
|
|
self.annotation = annotation
|
|
|
|
self.length = None
|
|
|
|
|
|
|
|
class StructureType(Type):
|
|
|
|
def __init__(self, name, record):
|
|
|
|
Type.__init__(self, name, record)
|
|
|
|
self.extensible = record.get("extensible", False)
|
|
|
|
self.members = []
|
|
|
|
|
2017-04-20 18:38:20 +00:00
|
|
|
############################################################
|
|
|
|
# PARSE
|
|
|
|
############################################################
|
|
|
|
import json
|
2017-04-20 18:42:36 +00:00
|
|
|
|
|
|
|
def is_native_method(method):
|
|
|
|
return method.return_type.category == "natively defined" or \
|
|
|
|
any([arg.type.category == "natively defined" for arg in method.arguments])
|
|
|
|
|
2017-04-20 18:38:20 +00:00
|
|
|
def link_object(obj, types):
|
|
|
|
def make_method(record):
|
|
|
|
arguments = []
|
|
|
|
arguments_by_name = {}
|
|
|
|
for a in record.get('args', []):
|
|
|
|
arg = MethodArgument(Name(a['name']), types[a['type']], a.get('annotation', 'value'))
|
|
|
|
arguments.append(arg)
|
|
|
|
arguments_by_name[arg.name.canonical_case()] = arg
|
|
|
|
|
|
|
|
for (arg, a) in zip(arguments, record.get('args', [])):
|
|
|
|
if arg.annotation != 'value':
|
2018-05-17 20:55:53 +00:00
|
|
|
if not 'length' in a:
|
|
|
|
if arg.type.category == 'structure':
|
2018-06-08 16:30:50 +00:00
|
|
|
arg.length = "constant"
|
|
|
|
arg.constant_length = 1
|
2018-05-17 20:55:53 +00:00
|
|
|
else:
|
|
|
|
assert(false)
|
|
|
|
elif a['length'] == 'strlen':
|
2017-04-20 18:38:20 +00:00
|
|
|
arg.length = 'strlen'
|
|
|
|
else:
|
|
|
|
arg.length = arguments_by_name[a['length']]
|
|
|
|
|
|
|
|
return Method(Name(record['name']), types[record.get('returns', 'void')], arguments)
|
|
|
|
|
2017-04-20 18:42:36 +00:00
|
|
|
methods = [make_method(m) for m in obj.record.get('methods', [])]
|
|
|
|
obj.methods = [method for method in methods if not is_native_method(method)]
|
|
|
|
obj.native_methods = [method for method in methods if is_native_method(method)]
|
2017-04-20 18:38:20 +00:00
|
|
|
|
2017-04-20 18:43:11 +00:00
|
|
|
# Compute the built object type for builders
|
|
|
|
if obj.is_builder:
|
|
|
|
for method in obj.methods:
|
|
|
|
if method.name.canonical_case() == "get result":
|
|
|
|
obj.built_type = method.return_type
|
|
|
|
break
|
|
|
|
assert(obj.built_type != None)
|
|
|
|
|
2018-05-17 20:55:53 +00:00
|
|
|
def link_structure(struct, types):
|
|
|
|
def make_member(m):
|
|
|
|
return StructureMember(Name(m['name']), types[m['type']], m.get('annotation', 'value'))
|
|
|
|
|
2018-06-27 23:21:39 +00:00
|
|
|
members = []
|
|
|
|
members_by_name = {}
|
|
|
|
for m in struct.record['members']:
|
|
|
|
member = make_member(m)
|
|
|
|
members.append(member)
|
|
|
|
members_by_name[member.name.canonical_case()] = member
|
|
|
|
struct.members = members
|
|
|
|
|
|
|
|
for (member, m) in zip(members, struct.record['members']):
|
|
|
|
# TODO(kainino@chromium.org): More robust pointer/length handling?
|
|
|
|
if 'length' in m:
|
|
|
|
member.length = members_by_name[m['length']]
|
2018-05-17 20:55:53 +00:00
|
|
|
|
2017-04-20 18:38:20 +00:00
|
|
|
def parse_json(json):
|
|
|
|
category_to_parser = {
|
|
|
|
'bitmask': BitmaskType,
|
|
|
|
'enum': EnumType,
|
|
|
|
'native': NativeType,
|
2017-04-20 18:42:36 +00:00
|
|
|
'natively defined': NativelyDefined,
|
2017-04-20 18:38:20 +00:00
|
|
|
'object': ObjectType,
|
2018-05-17 20:55:53 +00:00
|
|
|
'structure': StructureType,
|
2017-04-20 18:38:20 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
types = {}
|
|
|
|
|
|
|
|
by_category = {}
|
|
|
|
for name in category_to_parser.keys():
|
|
|
|
by_category[name] = []
|
|
|
|
|
|
|
|
for (name, record) in json.items():
|
|
|
|
if name[0] == '_':
|
|
|
|
continue
|
|
|
|
category = record['category']
|
|
|
|
parsed = category_to_parser[category](name, record)
|
|
|
|
by_category[category].append(parsed)
|
|
|
|
types[name] = parsed
|
|
|
|
|
|
|
|
for obj in by_category['object']:
|
|
|
|
link_object(obj, types)
|
|
|
|
|
2018-05-17 20:55:53 +00:00
|
|
|
for struct in by_category['structure']:
|
|
|
|
link_structure(struct, types)
|
|
|
|
|
2017-04-20 18:38:20 +00:00
|
|
|
for category in by_category.keys():
|
|
|
|
by_category[category] = sorted(by_category[category], key=lambda typ: typ.name.canonical_case())
|
|
|
|
|
|
|
|
return {
|
|
|
|
'types': types,
|
|
|
|
'by_category': by_category
|
|
|
|
}
|
|
|
|
|
|
|
|
#############################################################
|
|
|
|
# OUTPUT
|
|
|
|
#############################################################
|
|
|
|
import re, os, sys
|
|
|
|
from collections import OrderedDict
|
|
|
|
|
|
|
|
try:
|
|
|
|
import jinja2
|
|
|
|
except ImportError:
|
|
|
|
# Try using Chromium's Jinja2
|
|
|
|
dir, _ = os.path.split(os.path.realpath(__file__))
|
|
|
|
third_party_dir = os.path.normpath(dir + (os.path.sep + os.path.pardir) * 2)
|
|
|
|
sys.path.insert(1, third_party_dir)
|
|
|
|
import jinja2
|
|
|
|
|
|
|
|
# A custom Jinja2 template loader that removes the extra indentation
|
|
|
|
# of the template blocks so that the output is correctly indented
|
|
|
|
class PreprocessingLoader(jinja2.BaseLoader):
|
|
|
|
def __init__(self, path):
|
|
|
|
self.path = path
|
|
|
|
|
|
|
|
def get_source(self, environment, template):
|
|
|
|
path = os.path.join(self.path, template)
|
|
|
|
if not os.path.exists(path):
|
|
|
|
raise jinja2.TemplateNotFound(template)
|
|
|
|
mtime = os.path.getmtime(path)
|
|
|
|
with open(path) as f:
|
|
|
|
source = self.preprocess(f.read())
|
|
|
|
return source, path, lambda: mtime == os.path.getmtime(path)
|
|
|
|
|
|
|
|
blockstart = re.compile('{%-?\s*(if|for|block)[^}]*%}')
|
|
|
|
blockend = re.compile('{%-?\s*end(if|for|block)[^}]*%}')
|
|
|
|
|
|
|
|
def preprocess(self, source):
|
|
|
|
lines = source.split('\n')
|
|
|
|
|
|
|
|
# Compute the current indentation level of the template blocks and remove their indentation
|
|
|
|
result = []
|
|
|
|
indentation_level = 0
|
|
|
|
|
|
|
|
for line in lines:
|
|
|
|
# The capture in the regex adds one element per block start or end so we divide by two
|
|
|
|
# there is also an extra line chunk corresponding to the line end, so we substract it.
|
2017-05-29 18:33:33 +00:00
|
|
|
numends = (len(self.blockend.split(line)) - 1) // 2
|
2017-04-20 18:38:20 +00:00
|
|
|
indentation_level -= numends
|
|
|
|
|
2017-05-30 22:14:01 +00:00
|
|
|
line = self.remove_indentation(line, indentation_level)
|
|
|
|
|
|
|
|
# Manually perform the lstrip_blocks jinja2 env options as it available starting from 2.7
|
|
|
|
# and Travis only has Jinja 2.6
|
|
|
|
if line.lstrip().startswith('{%'):
|
|
|
|
line = line.lstrip()
|
|
|
|
|
|
|
|
result.append(line)
|
2017-04-20 18:38:20 +00:00
|
|
|
|
2017-05-29 18:33:33 +00:00
|
|
|
numstarts = (len(self.blockstart.split(line)) - 1) // 2
|
2017-04-20 18:38:20 +00:00
|
|
|
indentation_level += numstarts
|
|
|
|
|
2017-07-22 00:00:22 +00:00
|
|
|
return '\n'.join(result) + '\n'
|
2017-04-20 18:38:20 +00:00
|
|
|
|
|
|
|
def remove_indentation(self, line, n):
|
|
|
|
for _ in range(n):
|
|
|
|
if line.startswith(' '):
|
|
|
|
line = line[4:]
|
|
|
|
elif line.startswith('\t'):
|
|
|
|
line = line[1:]
|
|
|
|
else:
|
|
|
|
assert(line.strip() == '')
|
|
|
|
return line
|
|
|
|
|
|
|
|
FileRender = namedtuple('FileRender', ['template', 'output', 'params_dicts'])
|
|
|
|
|
|
|
|
def do_renders(renders, template_dir, output_dir):
|
2017-05-30 22:14:01 +00:00
|
|
|
env = jinja2.Environment(loader=PreprocessingLoader(template_dir), trim_blocks=True, line_comment_prefix='//*')
|
2017-04-20 18:38:20 +00:00
|
|
|
for render in renders:
|
|
|
|
params = {}
|
|
|
|
for param_dict in render.params_dicts:
|
|
|
|
params.update(param_dict)
|
|
|
|
output = env.get_template(render.template).render(**params)
|
|
|
|
|
|
|
|
output_file = output_dir + os.path.sep + render.output
|
|
|
|
directory = os.path.dirname(output_file)
|
|
|
|
if not os.path.exists(directory):
|
|
|
|
os.makedirs(directory)
|
|
|
|
|
|
|
|
content = ""
|
|
|
|
try:
|
|
|
|
with open(output_file, 'r') as outfile:
|
|
|
|
content = outfile.read()
|
|
|
|
except:
|
|
|
|
pass
|
|
|
|
|
|
|
|
if output != content:
|
|
|
|
with open(output_file, 'w') as outfile:
|
|
|
|
outfile.write(output)
|
|
|
|
|
|
|
|
#############################################################
|
|
|
|
# MAIN SOMETHING WHATEVER
|
|
|
|
#############################################################
|
|
|
|
import argparse, sys
|
|
|
|
|
|
|
|
def as_varName(*names):
|
|
|
|
return names[0].camelCase() + ''.join([name.CamelCase() for name in names[1:]])
|
|
|
|
|
|
|
|
def as_cType(name):
|
|
|
|
if name.native:
|
|
|
|
return name.concatcase()
|
|
|
|
else:
|
2018-07-18 13:12:52 +00:00
|
|
|
return 'dawn' + name.CamelCase()
|
2017-04-20 18:38:20 +00:00
|
|
|
|
|
|
|
def as_cppType(name):
|
|
|
|
if name.native:
|
|
|
|
return name.concatcase()
|
|
|
|
else:
|
|
|
|
return name.CamelCase()
|
|
|
|
|
|
|
|
def decorate(name, typ, arg):
|
|
|
|
if arg.annotation == 'value':
|
|
|
|
return typ + ' ' + name
|
|
|
|
elif arg.annotation == '*':
|
|
|
|
return typ + '* ' + name
|
|
|
|
elif arg.annotation == 'const*':
|
|
|
|
return typ + ' const * ' + name
|
|
|
|
else:
|
|
|
|
assert(False)
|
|
|
|
|
|
|
|
def annotated(typ, arg):
|
|
|
|
name = as_varName(arg.name)
|
|
|
|
return decorate(name, typ, arg)
|
|
|
|
|
|
|
|
def as_cEnum(type_name, value_name):
|
|
|
|
assert(not type_name.native and not value_name.native)
|
2018-07-18 13:12:52 +00:00
|
|
|
return 'DAWN' + '_' + type_name.SNAKE_CASE() + '_' + value_name.SNAKE_CASE()
|
2017-04-20 18:38:20 +00:00
|
|
|
|
|
|
|
def as_cppEnum(value_name):
|
|
|
|
assert(not value_name.native)
|
|
|
|
if value_name.concatcase()[0].isdigit():
|
|
|
|
return "e" + value_name.CamelCase()
|
|
|
|
return value_name.CamelCase()
|
|
|
|
|
|
|
|
def as_cMethod(type_name, method_name):
|
|
|
|
assert(not type_name.native and not method_name.native)
|
2018-07-18 13:12:52 +00:00
|
|
|
return 'dawn' + type_name.CamelCase() + method_name.CamelCase()
|
2017-04-20 18:38:20 +00:00
|
|
|
|
|
|
|
def as_MethodSuffix(type_name, method_name):
|
|
|
|
assert(not type_name.native and not method_name.native)
|
|
|
|
return type_name.CamelCase() + method_name.CamelCase()
|
|
|
|
|
|
|
|
def as_cProc(type_name, method_name):
|
|
|
|
assert(not type_name.native and not method_name.native)
|
2018-07-18 13:12:52 +00:00
|
|
|
return 'dawn' + 'Proc' + type_name.CamelCase() + method_name.CamelCase()
|
2017-04-20 18:38:20 +00:00
|
|
|
|
|
|
|
def as_backendType(typ):
|
|
|
|
if typ.category == 'object':
|
|
|
|
return typ.name.CamelCase() + '*'
|
|
|
|
else:
|
|
|
|
return as_cType(typ.name)
|
|
|
|
|
2017-05-08 13:17:44 +00:00
|
|
|
def cpp_native_methods(types, typ):
|
|
|
|
methods = typ.methods + typ.native_methods
|
|
|
|
|
|
|
|
if typ.is_builder:
|
|
|
|
methods.append(Method(Name('set error callback'), types['void'], [
|
|
|
|
MethodArgument(Name('callback'), types['builder error callback'], 'value'),
|
|
|
|
MethodArgument(Name('userdata1'), types['callback userdata'], 'value'),
|
|
|
|
MethodArgument(Name('userdata2'), types['callback userdata'], 'value'),
|
|
|
|
]))
|
|
|
|
|
|
|
|
return methods
|
|
|
|
|
2017-04-20 18:42:36 +00:00
|
|
|
def c_native_methods(types, typ):
|
2017-05-08 13:17:44 +00:00
|
|
|
return cpp_native_methods(types, typ) + [
|
2017-04-20 18:38:20 +00:00
|
|
|
Method(Name('reference'), types['void'], []),
|
|
|
|
Method(Name('release'), types['void'], []),
|
2017-04-20 18:42:36 +00:00
|
|
|
]
|
|
|
|
|
2017-10-25 19:39:00 +00:00
|
|
|
def js_native_methods(types, typ):
|
|
|
|
return cpp_native_methods(types, typ)
|
|
|
|
|
2017-04-20 18:38:20 +00:00
|
|
|
def debug(text):
|
|
|
|
print(text)
|
|
|
|
|
|
|
|
def main():
|
2018-07-26 13:07:57 +00:00
|
|
|
targets = ['dawn_headers', 'libdawn', 'mock_dawn', 'opengl', 'metal', 'd3d12', 'null', 'dawn_wire', "dawn_native_utils"]
|
2017-04-20 18:38:20 +00:00
|
|
|
|
|
|
|
parser = argparse.ArgumentParser(
|
2018-07-18 11:57:29 +00:00
|
|
|
description = 'Generates code for various target for Dawn.',
|
2017-04-20 18:38:20 +00:00
|
|
|
formatter_class = argparse.ArgumentDefaultsHelpFormatter
|
|
|
|
)
|
2018-07-18 11:57:29 +00:00
|
|
|
parser.add_argument('json', metavar='DAWN_JSON', nargs=1, type=str, help ='The DAWN JSON definition to use.')
|
2017-04-20 18:38:20 +00:00
|
|
|
parser.add_argument('-t', '--template-dir', default='templates', type=str, help='Directory with template files.')
|
|
|
|
parser.add_argument('-o', '--output-dir', default=None, type=str, help='Output directory for the generated source files.')
|
|
|
|
parser.add_argument('-T', '--targets', default=None, type=str, help='Comma-separated subset of targets to output. Available targets: ' + ', '.join(targets))
|
|
|
|
parser.add_argument('--print-dependencies', action='store_true', help='Prints a space separated list of file dependencies, used for CMake integration')
|
|
|
|
parser.add_argument('--print-outputs', action='store_true', help='Prints a space separated list of file outputs, used for CMake integration')
|
|
|
|
parser.add_argument('--gn', action='store_true', help='Make the printing of dependencies by GN friendly')
|
|
|
|
|
|
|
|
args = parser.parse_args()
|
|
|
|
|
|
|
|
if args.targets != None:
|
|
|
|
targets = args.targets.split(',')
|
|
|
|
|
|
|
|
with open(args.json[0]) as f:
|
|
|
|
loaded_json = json.loads(f.read())
|
|
|
|
|
|
|
|
api_params = parse_json(loaded_json)
|
|
|
|
|
|
|
|
base_params = {
|
|
|
|
'enumerate': enumerate,
|
|
|
|
'format': format,
|
|
|
|
'len': len,
|
|
|
|
'debug': debug,
|
|
|
|
|
|
|
|
'Name': lambda name: Name(name),
|
|
|
|
|
|
|
|
'as_annotated_cType': lambda arg: annotated(as_cType(arg.type.name), arg),
|
|
|
|
'as_annotated_cppType': lambda arg: annotated(as_cppType(arg.type.name), arg),
|
|
|
|
'as_cEnum': as_cEnum,
|
|
|
|
'as_cppEnum': as_cppEnum,
|
|
|
|
'as_cMethod': as_cMethod,
|
|
|
|
'as_MethodSuffix': as_MethodSuffix,
|
|
|
|
'as_cProc': as_cProc,
|
|
|
|
'as_cType': as_cType,
|
|
|
|
'as_cppType': as_cppType,
|
|
|
|
'as_varName': as_varName,
|
|
|
|
'decorate': decorate,
|
|
|
|
}
|
|
|
|
|
|
|
|
renders = []
|
|
|
|
|
2017-04-20 18:42:36 +00:00
|
|
|
c_params = {'native_methods': lambda typ: c_native_methods(api_params['types'], typ)}
|
2018-07-24 14:25:38 +00:00
|
|
|
cpp_params = {'native_methods': lambda typ: cpp_native_methods(api_params['types'], typ)}
|
2017-04-20 18:42:36 +00:00
|
|
|
|
2018-07-24 14:25:38 +00:00
|
|
|
if 'dawn_headers' in targets:
|
2018-07-18 12:28:38 +00:00
|
|
|
renders.append(FileRender('api.h', 'dawn/dawn.h', [base_params, api_params, c_params]))
|
2018-07-24 14:25:38 +00:00
|
|
|
renders.append(FileRender('apicpp.h', 'dawn/dawncpp.h', [base_params, api_params, cpp_params]))
|
|
|
|
renders.append(FileRender('apicpp_traits.h', 'dawn/dawncpp_traits.h', [base_params, api_params, cpp_params]))
|
2017-04-20 18:38:20 +00:00
|
|
|
|
2018-07-24 14:25:38 +00:00
|
|
|
if 'libdawn' in targets:
|
2017-05-08 13:17:44 +00:00
|
|
|
additional_params = {'native_methods': lambda typ: cpp_native_methods(api_params['types'], typ)}
|
2018-07-24 14:25:38 +00:00
|
|
|
renders.append(FileRender('api.c', 'dawn/dawn.c', [base_params, api_params, c_params]))
|
|
|
|
renders.append(FileRender('apicpp.cpp', 'dawn/dawncpp.cpp', [base_params, api_params, cpp_params]))
|
2017-04-20 18:38:20 +00:00
|
|
|
|
2018-07-18 11:57:29 +00:00
|
|
|
if 'mock_dawn' in targets:
|
2018-07-18 12:28:38 +00:00
|
|
|
renders.append(FileRender('mock_api.h', 'mock/mock_dawn.h', [base_params, api_params, c_params]))
|
|
|
|
renders.append(FileRender('mock_api.cpp', 'mock/mock_dawn.cpp', [base_params, api_params, c_params]))
|
2017-04-20 18:38:20 +00:00
|
|
|
|
|
|
|
base_backend_params = [
|
|
|
|
base_params,
|
|
|
|
api_params,
|
2017-04-20 18:42:36 +00:00
|
|
|
c_params,
|
2017-04-20 18:38:20 +00:00
|
|
|
{
|
|
|
|
'as_backendType': lambda typ: as_backendType(typ), # TODO as_backendType and friends take a Type and not a Name :(
|
|
|
|
'as_annotated_backendType': lambda arg: annotated(as_backendType(arg.type), arg)
|
|
|
|
}
|
|
|
|
]
|
|
|
|
|
2017-08-25 20:35:52 +00:00
|
|
|
for backend in ['d3d12', 'metal', 'null', 'opengl', 'vulkan']:
|
|
|
|
if not backend in targets:
|
|
|
|
continue
|
2017-04-20 18:38:20 +00:00
|
|
|
|
2017-08-25 20:35:52 +00:00
|
|
|
extension = 'cpp'
|
|
|
|
if backend == 'metal':
|
|
|
|
extension = 'mm'
|
2017-06-05 21:08:55 +00:00
|
|
|
|
2017-08-25 20:35:52 +00:00
|
|
|
backend_params = {
|
|
|
|
'namespace': backend,
|
2017-05-24 14:04:55 +00:00
|
|
|
}
|
2018-07-24 11:53:51 +00:00
|
|
|
renders.append(FileRender('dawn_native/ProcTable.cpp', 'dawn_native/' + backend + '/ProcTable.' + extension, base_backend_params + [backend_params]))
|
2018-05-18 19:07:22 +00:00
|
|
|
|
2018-07-24 11:53:51 +00:00
|
|
|
if 'dawn_native_utils' in targets:
|
|
|
|
renders.append(FileRender('dawn_native/ValidationUtils.h', 'dawn_native/ValidationUtils_autogen.h', base_backend_params))
|
|
|
|
renders.append(FileRender('dawn_native/ValidationUtils.cpp', 'dawn_native/ValidationUtils_autogen.cpp', base_backend_params))
|
2018-07-25 15:03:23 +00:00
|
|
|
renders.append(FileRender('dawn_native/api_structs.h', 'dawn_native/dawn_structs_autogen.h', base_backend_params))
|
|
|
|
renders.append(FileRender('dawn_native/api_structs.cpp', 'dawn_native/dawn_structs_autogen.cpp', base_backend_params))
|
2017-05-24 14:04:55 +00:00
|
|
|
|
2018-07-26 13:07:57 +00:00
|
|
|
if 'dawn_wire' in targets:
|
|
|
|
renders.append(FileRender('dawn_wire/WireCmd.h', 'dawn_wire/WireCmd_autogen.h', base_backend_params))
|
|
|
|
renders.append(FileRender('dawn_wire/WireCmd.cpp', 'dawn_wire/WireCmd_autogen.cpp', base_backend_params))
|
|
|
|
renders.append(FileRender('dawn_wire/WireClient.cpp', 'dawn_wire/WireClient.cpp', base_backend_params))
|
|
|
|
renders.append(FileRender('dawn_wire/WireServer.cpp', 'dawn_wire/WireServer.cpp', base_backend_params))
|
2017-04-20 18:38:20 +00:00
|
|
|
|
|
|
|
output_separator = '\n' if args.gn else ';'
|
|
|
|
if args.print_dependencies:
|
|
|
|
dependencies = set(
|
2017-06-05 21:08:55 +00:00
|
|
|
[os.path.abspath(args.template_dir + os.path.sep + render.template) for render in renders] +
|
2017-04-20 18:38:20 +00:00
|
|
|
[os.path.abspath(args.json[0])] +
|
|
|
|
[os.path.realpath(__file__)]
|
|
|
|
)
|
2017-05-29 18:33:33 +00:00
|
|
|
dependencies = [dependency.replace('\\', '/') for dependency in dependencies]
|
2017-04-20 18:38:20 +00:00
|
|
|
sys.stdout.write(output_separator.join(dependencies))
|
|
|
|
return 0
|
|
|
|
|
|
|
|
if args.print_outputs:
|
|
|
|
outputs = set(
|
|
|
|
[os.path.abspath(args.output_dir + os.path.sep + render.output) for render in renders]
|
|
|
|
)
|
2017-05-29 18:33:33 +00:00
|
|
|
outputs = [output.replace('\\', '/') for output in outputs]
|
2017-04-20 18:38:20 +00:00
|
|
|
sys.stdout.write(output_separator.join(outputs))
|
|
|
|
return 0
|
|
|
|
|
|
|
|
do_renders(renders, args.template_dir, args.output_dir)
|
|
|
|
|
|
|
|
if __name__ == '__main__':
|
|
|
|
sys.exit(main())
|