blob: 8ad39bbb0d9fb70c9f8a86683944db367aedf1ce [file] [log] [blame]
Brandon Jones8cb8c7a2022-05-26 23:47:39 +00001#!/usr/bin/env python3
Austin Engcc2516a2023-10-17 20:57:54 +00002# Copyright 2022 The Dawn & Tint Authors
Brandon Jones8cb8c7a2022-05-26 23:47:39 +00003#
Austin Engcc2516a2023-10-17 20:57:54 +00004# Redistribution and use in source and binary forms, with or without
5# modification, are permitted provided that the following conditions are met:
Brandon Jones8cb8c7a2022-05-26 23:47:39 +00006#
Austin Engcc2516a2023-10-17 20:57:54 +00007# 1. Redistributions of source code must retain the above copyright notice, this
8# list of conditions and the following disclaimer.
Brandon Jones8cb8c7a2022-05-26 23:47:39 +00009#
Austin Engcc2516a2023-10-17 20:57:54 +000010# 2. Redistributions in binary form must reproduce the above copyright notice,
11# this list of conditions and the following disclaimer in the documentation
12# and/or other materials provided with the distribution.
13#
14# 3. Neither the name of the copyright holder nor the names of its
15# contributors may be used to endorse or promote products derived from
16# this software without specific prior written permission.
17#
18# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
19# AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
20# IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
21# DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
22# FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
23# DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
24# SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
25# CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
26# OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
27# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
Brandon Jones8cb8c7a2022-05-26 23:47:39 +000028
29import json, os, sys
30from collections import namedtuple
31
Corentin Wallezf4a01c92024-07-16 11:18:42 +000032from generator_lib import Generator, run_generator, FileRender, GeneratorOutput
Brandon Jones8cb8c7a2022-05-26 23:47:39 +000033
34
Brandon Jones462f6482022-08-02 22:14:35 +000035def parse_mask(mask):
36 if mask:
37 return int(mask, 0)
38 return 0xffffffff
39
40
Brandon Jones8cb8c7a2022-05-26 23:47:39 +000041class Name:
42 def __init__(self, name):
43 self.name = name
44 self.chunks = name.split(' ')
45
46 def get(self):
47 return self.name
48
49 def CamelChunk(self, chunk):
50 return chunk[0].upper() + chunk[1:]
51
52 def canonical_case(self):
53 return (' '.join(self.chunks)).lower()
54
55 def concatcase(self):
56 return ''.join(self.chunks)
57
58 def camelCase(self):
59 return self.chunks[0] + ''.join(
60 [self.CamelChunk(chunk) for chunk in self.chunks[1:]])
61
62 def CamelCase(self):
63 return ''.join([self.CamelChunk(chunk) for chunk in self.chunks])
64
65 def SNAKE_CASE(self):
66 return '_'.join([chunk.upper() for chunk in self.chunks])
67
68 def snake_case(self):
69 return '_'.join(self.chunks)
70
71 def js_enum_case(self):
72 result = self.chunks[0].lower()
73 for chunk in self.chunks[1:]:
74 if not result[-1].isdigit():
75 result += '-'
76 result += chunk.lower()
77 return result
78
79
80class Architecture:
Brandon Jones462f6482022-08-02 22:14:35 +000081 def __init__(self, name, json_data, mask):
Brandon Jones8cb8c7a2022-05-26 23:47:39 +000082 self.name = Name(name)
83 self.devices = []
Brandon Jones462f6482022-08-02 22:14:35 +000084
85 mask_num = parse_mask(mask)
86
Brandon Jones8cb8c7a2022-05-26 23:47:39 +000087 for device in json_data:
Brandon Jones462f6482022-08-02 22:14:35 +000088 device_num = int(device, 0)
89
90 # Don't allow duplicate entries
91 assert device not in self.devices, 'Architecture "{}" contained duplicate deviceID "{}"'.format(
92 self.name.get(), device)
93 # Ensure that all device IDs don't contain bits outside the mask
94 assert device_num & mask_num == device_num, 'Architecture "{}" contained deviceID "{}" which doesn\'t match the given mask of "{}"'.format(
95 self.name.get(), device, mask)
96
Brandon Jones8cb8c7a2022-05-26 23:47:39 +000097 self.devices.append(device)
98
99
Brandon Jones462f6482022-08-02 22:14:35 +0000100class DeviceSet:
101 def __init__(self, json_data):
102 self.mask = None
103 self.internal = False
104
105 if 'mask' in json_data:
106 self.mask = json_data['mask']
107
108 if 'internal' in json_data:
109 self.internal = json_data['internal']
110
111 self.architectures = []
112 if 'architecture' in json_data:
113 for (arch_name, arch_data) in json_data['architecture'].items():
114 # Skip any entries that start with an underscore. Used for comments.
115 if arch_name[0] == '_':
116 continue
117
118 architecture = Architecture(arch_name, arch_data, self.mask)
119
120 # Validate that deviceIDs are only allowed to be in one Architecture at a time
121 for other_architecture in self.architectures:
122 for device in architecture.devices:
123 assert device not in other_architecture.devices, 'Architectures "{}" and "{}" both contain deviceID "{}"'.format(
124 architecture.name.get(),
125 other_architecture.name.get(), device)
126
127 self.architectures.append(architecture)
128
129 def validate_devices(self, other_devices, other_mask):
130 combined_mask = parse_mask(self.mask) & parse_mask(other_mask)
131
132 for other_device in other_devices:
133 other_device_num = int(other_device, 0) & combined_mask
134 for architecture in self.architectures:
135 for device in architecture.devices:
136 device_num = int(device, 0) & combined_mask
137 assert device_num != other_device_num, 'DeviceID "{}" & mask "{}" conflicts with deviceId "{}" & mask "{}" in architecture "{}"'.format(
138 other_device, other_mask, device, self.mask,
139 architecture.name.get())
140
141 def maskDeviceId(self):
142 if not self.mask:
143 return ''
144 return ' & ' + self.mask
145
146
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000147class Vendor:
148 def __init__(self, name, json_data):
149 self.name = Name(name)
REDMOND\weibinwufd3b2422024-08-27 20:39:11 +0000150 self.name_override = None
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000151 self.id = json_data['id']
152
REDMOND\weibinwufd3b2422024-08-27 20:39:11 +0000153 if 'name_override' in json_data:
154 self.name_override = Name(json_data['name_override'])
155
Brandon Jones462f6482022-08-02 22:14:35 +0000156 architecture_dict = {}
157 internal_architecture_dict = {}
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000158
Brandon Jones462f6482022-08-02 22:14:35 +0000159 self.device_sets = []
160 if 'devices' in json_data:
161 for device_data in json_data['devices']:
162 device_set = DeviceSet(device_data)
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000163
Brandon Jones462f6482022-08-02 22:14:35 +0000164 for architecture in device_set.architectures:
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000165
Brandon Jones462f6482022-08-02 22:14:35 +0000166 # Validate that deviceIDs are unique across device sets
167 for other_device_set in self.device_sets:
168 # Only validate device IDs between internal and public device sets.
169 if other_device_set.internal == device_set.internal:
170 assert device_set.mask != other_device_set.mask, 'Vendor "{}" contained duplicate device masks "{}"'.format(
171 self.name.get(), device_set.mask)
172 other_device_set.validate_devices(
173 architecture.devices, device_set.mask)
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000174
Brandon Jones462f6482022-08-02 22:14:35 +0000175 # Validate that architecture names are unique between internal and public device sets.
176 else:
177 for other_architecture in other_device_set.architectures:
178 assert architecture.name.canonical_case(
179 ) != other_architecture.name.canonical_case(
180 ), '"{}" is defined as both an internal and public architecture'.format(
181 architecture.name.get())
182
183 if device_set.internal:
184 internal_architecture_dict[
185 architecture.name.canonical_case(
186 )] = architecture.name
187 else:
188 architecture_dict[architecture.name.canonical_case(
189 )] = architecture.name
190
191 self.device_sets.append(device_set)
192
193 # List of unique architecture names under this vendor
194 self.architecture_names = architecture_dict.values()
195 self.internal_architecture_names = internal_architecture_dict.values()
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000196
197
198def parse_json(json):
199 vendors = []
Brandon Jones462f6482022-08-02 22:14:35 +0000200 internal_architecture_count = 0
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000201
Brandon Jones462f6482022-08-02 22:14:35 +0000202 for (vendor_name, vendor_data) in json['vendors'].items():
203 # Skip vendors that have a leading underscore. Those are intended to be "comments".
204 if vendor_name[0] == '_':
205 continue
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000206
Brandon Jones462f6482022-08-02 22:14:35 +0000207 vendor = Vendor(vendor_name, vendor_data)
208 vendors.append(vendor)
209 internal_architecture_count += len(vendor.internal_architecture_names)
210
211 return {
212 'vendors': vendors,
213 'has_internal': internal_architecture_count > 0
214 }
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000215
216
217class DawnGpuInfoGenerator(Generator):
218 def get_description(self):
219 return "Generates GPU Info Dawn code."
220
221 def add_commandline_arguments(self, parser):
222 parser.add_argument('--gpu-info-json',
223 required=True,
224 type=str,
225 help='The GPU Info JSON definition to use.')
226
227 def get_dependencies(self, args):
228 return [os.path.abspath(args.gpu_info_json)]
229
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000230 def get_outputs(self, args):
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000231 with open(args.gpu_info_json) as f:
232 loaded_json = json.loads(f.read())
233
234 params = parse_json(loaded_json)
235
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000236 renders = [
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000237 FileRender("dawn/common/GPUInfo.h",
238 "src/dawn/common/GPUInfo_autogen.h", [params]),
239 FileRender("dawn/common/GPUInfo.cpp",
240 "src/dawn/common/GPUInfo_autogen.cpp", [params]),
241 ]
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000242 return GeneratorOutput(renders=renders, imported_templates=[])
Brandon Jones8cb8c7a2022-05-26 23:47:39 +0000243
244
245if __name__ == "__main__":
246 sys.exit(run_generator(DawnGpuInfoGenerator()))