blob: 214695cb412a76fd3fbb958df0f8bb7071a54f1b [file] [log] [blame]
Mark Lobodzinski85672672016-10-13 08:36:42 -06001#!/usr/bin/python3 -i
2#
Dave Houlton413a6782018-05-22 13:01:54 -06003# Copyright (c) 2015-2018 The Khronos Group Inc.
4# Copyright (c) 2015-2018 Valve Corporation
5# Copyright (c) 2015-2018 LunarG, Inc.
6# Copyright (c) 2015-2018 Google Inc.
Mark Lobodzinski85672672016-10-13 08:36:42 -06007#
8# Licensed under the Apache License, Version 2.0 (the "License");
9# you may not use this file except in compliance with the License.
10# You may obtain a copy of the License at
11#
12# http://www.apache.org/licenses/LICENSE-2.0
13#
14# Unless required by applicable law or agreed to in writing, software
15# distributed under the License is distributed on an "AS IS" BASIS,
16# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
17# See the License for the specific language governing permissions and
18# limitations under the License.
19#
20# Author: Dustin Graves <dustin@lunarg.com>
Mark Lobodzinski26112592017-05-30 12:02:17 -060021# Author: Mark Lobodzinski <mark@lunarg.com>
Dave Houlton413a6782018-05-22 13:01:54 -060022# Author: Dave Houlton <daveh@lunarg.com>
Mark Lobodzinski85672672016-10-13 08:36:42 -060023
Dave Houlton413a6782018-05-22 13:01:54 -060024import os,re,sys,string,json
Mark Lobodzinski85672672016-10-13 08:36:42 -060025import xml.etree.ElementTree as etree
26from generator import *
27from collections import namedtuple
Mark Lobodzinski62f71562017-10-24 13:41:18 -060028from common_codegen import *
Mark Lobodzinski06954ea2017-06-21 12:21:45 -060029
Jamie Madill8d4cda22017-11-08 13:40:09 -050030# This is a workaround to use a Python 2.7 and 3.x compatible syntax.
31from io import open
Mark Lobodzinski85672672016-10-13 08:36:42 -060032
Mark Lobodzinskid4950072017-08-01 13:02:20 -060033# ParameterValidationGeneratorOptions - subclass of GeneratorOptions.
Mark Lobodzinski85672672016-10-13 08:36:42 -060034#
Mark Lobodzinskid4950072017-08-01 13:02:20 -060035# Adds options used by ParameterValidationOutputGenerator object during Parameter validation layer generation.
Mark Lobodzinski85672672016-10-13 08:36:42 -060036#
37# Additional members
38# prefixText - list of strings to prefix generated header with
39# (usually a copyright statement + calling convention macros).
40# protectFile - True if multiple inclusion protection should be
41# generated (based on the filename) around the entire header.
42# protectFeature - True if #ifndef..#endif protection should be
43# generated around a feature interface in the header file.
44# genFuncPointers - True if function pointer typedefs should be
45# generated
46# protectProto - If conditional protection should be generated
47# around prototype declarations, set to either '#ifdef'
48# to require opt-in (#ifdef protectProtoStr) or '#ifndef'
49# to require opt-out (#ifndef protectProtoStr). Otherwise
50# set to None.
51# protectProtoStr - #ifdef/#ifndef symbol to use around prototype
52# declarations, if protectProto is set
53# apicall - string to use for the function declaration prefix,
54# such as APICALL on Windows.
55# apientry - string to use for the calling convention macro,
56# in typedefs, such as APIENTRY.
57# apientryp - string to use for the calling convention macro
58# in function pointer typedefs, such as APIENTRYP.
59# indentFuncProto - True if prototype declarations should put each
60# parameter on a separate line
61# indentFuncPointer - True if typedefed function pointers should put each
62# parameter on a separate line
63# alignFuncParam - if nonzero and parameters are being put on a
64# separate line, align parameter names at the specified column
Mark Lobodzinskid4950072017-08-01 13:02:20 -060065class ParameterValidationGeneratorOptions(GeneratorOptions):
Mark Lobodzinski85672672016-10-13 08:36:42 -060066 def __init__(self,
67 filename = None,
68 directory = '.',
69 apiname = None,
70 profile = None,
71 versions = '.*',
72 emitversions = '.*',
73 defaultExtensions = None,
74 addExtensions = None,
75 removeExtensions = None,
Mark Lobodzinski62f71562017-10-24 13:41:18 -060076 emitExtensions = None,
Mark Lobodzinski85672672016-10-13 08:36:42 -060077 sortProcedure = regSortFeatures,
78 prefixText = "",
Mark Lobodzinski85672672016-10-13 08:36:42 -060079 apicall = '',
80 apientry = '',
81 apientryp = '',
82 indentFuncProto = True,
83 indentFuncPointer = False,
Mark Lobodzinski62f71562017-10-24 13:41:18 -060084 alignFuncParam = 0,
Mark Lobodzinski27a9e7c2018-05-31 16:01:57 -060085 expandEnumerants = True,
86 valid_usage_path = ''):
Mark Lobodzinski85672672016-10-13 08:36:42 -060087 GeneratorOptions.__init__(self, filename, directory, apiname, profile,
88 versions, emitversions, defaultExtensions,
Mark Lobodzinski62f71562017-10-24 13:41:18 -060089 addExtensions, removeExtensions, emitExtensions, sortProcedure)
Mark Lobodzinski85672672016-10-13 08:36:42 -060090 self.prefixText = prefixText
Mark Lobodzinski85672672016-10-13 08:36:42 -060091 self.apicall = apicall
92 self.apientry = apientry
93 self.apientryp = apientryp
94 self.indentFuncProto = indentFuncProto
95 self.indentFuncPointer = indentFuncPointer
96 self.alignFuncParam = alignFuncParam
Mark Lobodzinski62f71562017-10-24 13:41:18 -060097 self.expandEnumerants = expandEnumerants
Mark Lobodzinski27a9e7c2018-05-31 16:01:57 -060098 self.valid_usage_path = valid_usage_path
Mark Lobodzinski85672672016-10-13 08:36:42 -060099
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600100# ParameterValidationOutputGenerator - subclass of OutputGenerator.
Mark Lobodzinski85672672016-10-13 08:36:42 -0600101# Generates param checker layer code.
102#
103# ---- methods ----
104# ParamCheckerOutputGenerator(errFile, warnFile, diagFile) - args as for
105# OutputGenerator. Defines additional internal state.
106# ---- methods overriding base class ----
107# beginFile(genOpts)
108# endFile()
109# beginFeature(interface, emit)
110# endFeature()
111# genType(typeinfo,name)
112# genStruct(typeinfo,name)
113# genGroup(groupinfo,name)
114# genEnum(enuminfo, name)
115# genCmd(cmdinfo)
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600116class ParameterValidationOutputGenerator(OutputGenerator):
117 """Generate Parameter Validation code based on XML element attributes"""
Mark Lobodzinski85672672016-10-13 08:36:42 -0600118 # This is an ordered list of sections in the header file.
119 ALL_SECTIONS = ['command']
120 def __init__(self,
121 errFile = sys.stderr,
122 warnFile = sys.stderr,
123 diagFile = sys.stdout):
124 OutputGenerator.__init__(self, errFile, warnFile, diagFile)
125 self.INDENT_SPACES = 4
Mark Lobodzinskib6b8bbd2017-02-08 14:37:15 -0700126 self.intercepts = []
127 self.declarations = []
Mark Lobodzinski85672672016-10-13 08:36:42 -0600128 # Commands to ignore
129 self.blacklist = [
130 'vkGetInstanceProcAddr',
131 'vkGetDeviceProcAddr',
Mark Young6ba8abe2017-11-09 10:37:04 -0700132 'vkEnumerateInstanceVersion',
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600133 'vkEnumerateInstanceLayerProperties',
134 'vkEnumerateInstanceExtensionProperties',
135 'vkEnumerateDeviceLayerProperties',
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600136 'vkEnumerateDeviceExtensionProperties',
Mark Young6ba8abe2017-11-09 10:37:04 -0700137 'vkCmdDebugMarkerEndEXT',
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600138 ]
139 self.validate_only = [
140 'vkCreateInstance',
141 'vkDestroyInstance',
142 'vkCreateDevice',
143 'vkDestroyDevice',
144 'vkCreateQueryPool',
Mark Lobodzinski85672672016-10-13 08:36:42 -0600145 'vkCreateDebugReportCallbackEXT',
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600146 'vkDestroyDebugReportCallbackEXT',
147 'vkCreateCommandPool',
Petr Krause91f7a12017-12-14 20:57:36 +0100148 'vkCreateRenderPass',
Tobias Hectord942eb92018-10-22 15:18:56 +0100149 'vkCreateRenderPass2KHR',
Petr Krause91f7a12017-12-14 20:57:36 +0100150 'vkDestroyRenderPass',
Mark Young6ba8abe2017-11-09 10:37:04 -0700151 'vkCreateDebugUtilsMessengerEXT',
152 'vkDestroyDebugUtilsMessengerEXT',
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600153 ]
Dustin Gravesce68f082017-03-30 15:42:16 -0600154 # Structure fields to ignore
155 self.structMemberBlacklist = { 'VkWriteDescriptorSet' : ['dstSet'] }
Mark Lobodzinski85672672016-10-13 08:36:42 -0600156 # Validation conditions for some special case struct members that are conditionally validated
157 self.structMemberValidationConditions = { 'VkPipelineColorBlendStateCreateInfo' : { 'logicOp' : '{}logicOpEnable == VK_TRUE' } }
158 # Header version
159 self.headerVersion = None
160 # Internal state - accumulators for different inner block text
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600161 self.validation = [] # Text comprising the main per-api parameter validation routines
Mark Lobodzinski85672672016-10-13 08:36:42 -0600162 self.stypes = [] # Values from the VkStructureType enumeration
163 self.structTypes = dict() # Map of Vulkan struct typename to required VkStructureType
164 self.handleTypes = set() # Set of handle type names
165 self.commands = [] # List of CommandData records for all Vulkan commands
166 self.structMembers = [] # List of StructMemberData records for all Vulkan structs
167 self.validatedStructs = dict() # Map of structs type names to generated validation code for that struct type
168 self.enumRanges = dict() # Map of enum name to BEGIN/END range values
Mark Lobodzinskif31e0422017-07-25 14:29:42 -0600169 self.enumValueLists = '' # String containing enumerated type map definitions
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600170 self.func_pointers = '' # String containing function pointers for manual PV functions
171 self.typedefs = '' # String containing function pointer typedefs
Mark Lobodzinski85672672016-10-13 08:36:42 -0600172 self.flags = set() # Map of flags typenames
173 self.flagBits = dict() # Map of flag bits typename to list of values
Chris Forbes78ea32d2016-11-28 11:14:17 +1300174 self.newFlags = set() # Map of flags typenames /defined in the current feature/
Mike Schuchardtafd00482017-08-24 15:15:02 -0600175 self.required_extensions = dict() # Dictionary of required extensions for each item in the current extension
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600176 self.extension_type = '' # Type of active feature (extension), device or instance
177 self.extension_names = dict() # Dictionary of extension names to extension name defines
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600178 self.structextends_list = [] # List of extensions which extend another struct
179 self.struct_feature_protect = dict() # Dictionary of structnames and FeatureExtraProtect strings
Mark Lobodzinski06954ea2017-06-21 12:21:45 -0600180 self.valid_vuids = set() # Set of all valid VUIDs
Dave Houlton413a6782018-05-22 13:01:54 -0600181 self.vuid_dict = dict() # VUID dictionary (from JSON)
182 self.alias_dict = dict() # Dict of cmd|struct aliases
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600183 self.returnedonly_structs = []
Mark Lobodzinski85672672016-10-13 08:36:42 -0600184 # Named tuples to store struct and command data
185 self.StructType = namedtuple('StructType', ['name', 'value'])
186 self.CommandParam = namedtuple('CommandParam', ['type', 'name', 'ispointer', 'isstaticarray', 'isbool', 'israngedenum',
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600187 'isconst', 'isoptional', 'iscount', 'noautovalidity',
188 'len', 'extstructs', 'condition', 'cdecl'])
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600189 self.CommandData = namedtuple('CommandData', ['name', 'params', 'cdecl', 'extension_type', 'result'])
Mark Lobodzinski85672672016-10-13 08:36:42 -0600190 self.StructMemberData = namedtuple('StructMemberData', ['name', 'members'])
Mark Lobodzinski06954ea2017-06-21 12:21:45 -0600191
Mark Lobodzinski85672672016-10-13 08:36:42 -0600192 #
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600193 # Generate Copyright comment block for file
194 def GenerateCopyright(self):
195 copyright = '/* *** THIS FILE IS GENERATED - DO NOT EDIT! ***\n'
196 copyright += ' * See parameter_validation_generator.py for modifications\n'
197 copyright += ' *\n'
Dave Houlton413a6782018-05-22 13:01:54 -0600198 copyright += ' * Copyright (c) 2015-2018 The Khronos Group Inc.\n'
199 copyright += ' * Copyright (c) 2015-2018 LunarG, Inc.\n'
200 copyright += ' * Copyright (C) 2015-2018 Google Inc.\n'
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600201 copyright += ' *\n'
202 copyright += ' * Licensed under the Apache License, Version 2.0 (the "License");\n'
203 copyright += ' * you may not use this file except in compliance with the License.\n'
204 copyright += ' * Copyright (c) 2015-2017 Valve Corporation\n'
205 copyright += ' * You may obtain a copy of the License at\n'
206 copyright += ' *\n'
207 copyright += ' * http://www.apache.org/licenses/LICENSE-2.0\n'
208 copyright += ' *\n'
209 copyright += ' * Unless required by applicable law or agreed to in writing, software\n'
210 copyright += ' * distributed under the License is distributed on an "AS IS" BASIS,\n'
211 copyright += ' * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n'
212 copyright += ' * See the License for the specific language governing permissions and\n'
213 copyright += ' * limitations under the License.\n'
214 copyright += ' *\n'
215 copyright += ' * Author: Mark Lobodzinski <mark@LunarG.com>\n'
Dave Houlton413a6782018-05-22 13:01:54 -0600216 copyright += ' * Author: Dave Houlton <daveh@LunarG.com>\n'
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600217 copyright += ' */\n\n'
218 return copyright
219 #
220 # Increases the global indent variable
Mark Lobodzinski85672672016-10-13 08:36:42 -0600221 def incIndent(self, indent):
222 inc = ' ' * self.INDENT_SPACES
223 if indent:
224 return indent + inc
225 return inc
226 #
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600227 # Decreases the global indent variable
Mark Lobodzinski85672672016-10-13 08:36:42 -0600228 def decIndent(self, indent):
229 if indent and (len(indent) > self.INDENT_SPACES):
230 return indent[:-self.INDENT_SPACES]
231 return ''
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600232 #
Dave Houlton413a6782018-05-22 13:01:54 -0600233 # Walk the JSON-derived dict and find all "vuid" key values
234 def ExtractVUIDs(self, d):
235 if hasattr(d, 'items'):
236 for k, v in d.items():
237 if k == "vuid":
238 yield v
239 elif isinstance(v, dict):
240 for s in self.ExtractVUIDs(v):
241 yield s
242 elif isinstance (v, list):
243 for l in v:
244 for s in self.ExtractVUIDs(l):
245 yield s
Mark Lobodzinski85672672016-10-13 08:36:42 -0600246 #
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600247 # Called at file creation time
Mark Lobodzinski85672672016-10-13 08:36:42 -0600248 def beginFile(self, genOpts):
249 OutputGenerator.beginFile(self, genOpts)
Mark Lobodzinski27a9e7c2018-05-31 16:01:57 -0600250
251 self.valid_usage_path = genOpts.valid_usage_path
252 vu_json_filename = os.path.join(self.valid_usage_path + os.sep, 'validusage.json')
253 if os.path.isfile(vu_json_filename):
254 json_file = open(vu_json_filename, 'r')
255 self.vuid_dict = json.load(json_file)
256 json_file.close()
257 if len(self.vuid_dict) == 0:
258 print("Error: Could not find, or error loading %s/validusage.json\n", vu_json_filename)
259 sys.exit(1)
260
Mark Lobodzinski85672672016-10-13 08:36:42 -0600261 # C-specific
262 #
Dave Houlton413a6782018-05-22 13:01:54 -0600263 # Build a set of all vuid text strings found in validusage.json
264 for json_vuid_string in self.ExtractVUIDs(self.vuid_dict):
265 self.valid_vuids.add(json_vuid_string)
Mark Lobodzinski06954ea2017-06-21 12:21:45 -0600266 #
Mark Lobodzinski85672672016-10-13 08:36:42 -0600267 # User-supplied prefix text, if any (list of strings)
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600268 s = self.GenerateCopyright()
269 write(s, file=self.outFile)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600270 #
271 # Headers
272 write('#include <string>', file=self.outFile)
273 self.newline()
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600274 write('#include "vk_loader_platform.h"', file=self.outFile)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600275 write('#include "vulkan/vulkan.h"', file=self.outFile)
276 write('#include "vk_layer_extension_utils.h"', file=self.outFile)
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600277 write('#include "parameter_validation.h"', file=self.outFile)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600278 #
279 # Macros
280 self.newline()
281 write('#ifndef UNUSED_PARAMETER', file=self.outFile)
282 write('#define UNUSED_PARAMETER(x) (void)(x)', file=self.outFile)
283 write('#endif // UNUSED_PARAMETER', file=self.outFile)
284 #
285 # Namespace
286 self.newline()
287 write('namespace parameter_validation {', file = self.outFile)
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600288 self.newline()
289 write('extern std::mutex global_lock;', file = self.outFile)
290 write('extern std::unordered_map<void *, layer_data *> layer_data_map;', file = self.outFile)
291 write('extern std::unordered_map<void *, instance_layer_data *> instance_layer_data_map;', file = self.outFile)
292 self.newline()
Mark Lobodzinski78a12a92017-08-08 14:16:51 -0600293 #
294 # FuncPtrMap
295 self.func_pointers += 'std::unordered_map<std::string, void *> custom_functions = {\n'
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600296 #
297 # Called at end-time for final content output
Mark Lobodzinski85672672016-10-13 08:36:42 -0600298 def endFile(self):
299 # C-specific
300 self.newline()
Mark Lobodzinskif31e0422017-07-25 14:29:42 -0600301 write(self.enumValueLists, file=self.outFile)
302 self.newline()
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600303 write(self.typedefs, file=self.outFile)
304 self.newline()
Mark Lobodzinski78a12a92017-08-08 14:16:51 -0600305 self.func_pointers += '};\n'
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600306 write(self.func_pointers, file=self.outFile)
307 self.newline()
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600308
309 pnext_handler = 'bool ValidatePnextStructContents(debug_report_data *report_data, const char *api_name, const ParameterName &parameter_name, const GenericHeader* header) {\n'
310 pnext_handler += ' bool skip = false;\n'
311 pnext_handler += ' switch(header->sType) {\n'
312
313 # Do some processing here to extract data from validatedstructs...
314 for item in self.structextends_list:
315 postProcSpec = {}
316 postProcSpec['ppp'] = '' if not item else '{postProcPrefix}'
317 postProcSpec['pps'] = '' if not item else '{postProcSuffix}'
318 postProcSpec['ppi'] = '' if not item else '{postProcInsert}'
319
320 pnext_case = '\n'
321 protect = ''
322 # Guard struct cases with feature ifdefs, if necessary
323 if item in self.struct_feature_protect.keys():
324 protect = self.struct_feature_protect[item]
325 pnext_case += '#ifdef %s\n' % protect
326 pnext_case += ' // Validation code for %s structure members\n' % item
327 pnext_case += ' case %s: {\n' % self.getStructType(item)
328 pnext_case += ' %s *structure = (%s *) header;\n' % (item, item)
Mark Lobodzinski554cf372018-05-24 11:06:00 -0600329 expr = self.expandStructCode(item, item, 'structure->', '', ' ', [], postProcSpec)
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600330 struct_validation_source = self.ScrubStructCode(expr)
331 pnext_case += '%s' % struct_validation_source
332 pnext_case += ' } break;\n'
333 if protect is not '':
334 pnext_case += '#endif // %s\n' % protect
335 # Skip functions containing no validation
336 if struct_validation_source != '':
337 pnext_handler += pnext_case;
338 pnext_handler += ' default:\n'
339 pnext_handler += ' skip = false;\n'
340 pnext_handler += ' }\n'
341 pnext_handler += ' return skip;\n'
342 pnext_handler += '}\n'
343 write(pnext_handler, file=self.outFile)
344 self.newline()
345
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600346 ext_template = 'template <typename T>\n'
347 ext_template += 'bool OutputExtensionError(const T *layer_data, const std::string &api_name, const std::string &extension_name) {\n'
Mark Lobodzinskib1fd9d12018-03-30 14:26:00 -0600348 ext_template += ' return log_msg(layer_data->report_data, VK_DEBUG_REPORT_ERROR_BIT_EXT, VK_DEBUG_REPORT_OBJECT_TYPE_UNKNOWN_EXT, 0,\n'
Dave Houlton413a6782018-05-22 13:01:54 -0600349 ext_template += ' kVUID_PVError_ExtensionNotEnabled, "Attemped to call %s() but its required extension %s has not been enabled\\n",\n'
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600350 ext_template += ' api_name.c_str(), extension_name.c_str());\n'
351 ext_template += '}\n'
352 write(ext_template, file=self.outFile)
353 self.newline()
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600354 commands_text = '\n'.join(self.validation)
355 write(commands_text, file=self.outFile)
356 self.newline()
Mark Lobodzinskib6b8bbd2017-02-08 14:37:15 -0700357 # Output declarations and record intercepted procedures
358 write('// Declarations', file=self.outFile)
359 write('\n'.join(self.declarations), file=self.outFile)
Mark Lobodzinskide43e642017-06-07 14:00:31 -0600360 write('// Map of all APIs to be intercepted by this layer', file=self.outFile)
John Zulauf9b777302018-10-08 11:15:51 -0600361 write('const std::unordered_map<std::string, void*> name_to_funcptr_map = {', file=self.outFile)
Mark Lobodzinskib6b8bbd2017-02-08 14:37:15 -0700362 write('\n'.join(self.intercepts), file=self.outFile)
363 write('};\n', file=self.outFile)
364 self.newline()
Mark Lobodzinski85672672016-10-13 08:36:42 -0600365 # Namespace
366 write('} // namespace parameter_validation', file = self.outFile)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600367 # Finish processing in superclass
368 OutputGenerator.endFile(self)
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600369 #
370 # Processing at beginning of each feature or extension
Mark Lobodzinski85672672016-10-13 08:36:42 -0600371 def beginFeature(self, interface, emit):
372 # Start processing in superclass
373 OutputGenerator.beginFeature(self, interface, emit)
374 # C-specific
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600375 # Accumulate includes, defines, types, enums, function pointer typedefs, end function prototypes separately for this
376 # feature. They're only printed in endFeature().
Mark Lobodzinski85672672016-10-13 08:36:42 -0600377 self.headerVersion = None
Mark Lobodzinski85672672016-10-13 08:36:42 -0600378 self.stypes = []
Mark Lobodzinski85672672016-10-13 08:36:42 -0600379 self.commands = []
380 self.structMembers = []
Chris Forbes78ea32d2016-11-28 11:14:17 +1300381 self.newFlags = set()
Mark Lobodzinski62f71562017-10-24 13:41:18 -0600382 self.featureExtraProtect = GetFeatureProtect(interface)
Mike Schuchardtafd00482017-08-24 15:15:02 -0600383 # Get base list of extension dependencies for all items in this extension
384 base_required_extensions = []
Mark Lobodzinski31964ca2017-09-18 14:15:09 -0600385 if "VK_VERSION_1" not in self.featureName:
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600386 # Save Name Define to get correct enable name later
387 nameElem = interface[0][1]
388 name = nameElem.get('name')
389 self.extension_names[self.featureName] = name
390 # This extension is the first dependency for this command
Mike Schuchardtafd00482017-08-24 15:15:02 -0600391 base_required_extensions.append(self.featureName)
392 # Add any defined extension dependencies to the base dependency list for this extension
393 requires = interface.get('requires')
394 if requires is not None:
395 base_required_extensions.extend(requires.split(','))
Mike Schuchardtafd00482017-08-24 15:15:02 -0600396 # Build dictionary of extension dependencies for each item in this extension
397 self.required_extensions = dict()
398 for require_element in interface.findall('require'):
399 # Copy base extension dependency list
400 required_extensions = list(base_required_extensions)
401 # Add any additional extension dependencies specified in this require block
402 additional_extensions = require_element.get('extension')
403 if additional_extensions:
404 required_extensions.extend(additional_extensions.split(','))
405 # Save full extension list for all named items
406 for element in require_element.findall('*[@name]'):
407 self.required_extensions[element.get('name')] = required_extensions
408
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600409 # And note if this is an Instance or Device extension
410 self.extension_type = interface.get('type')
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600411 #
412 # Called at the end of each extension (feature)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600413 def endFeature(self):
414 # C-specific
415 # Actually write the interface to the output file.
416 if (self.emit):
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600417 # If type declarations are needed by other features based on this one, it may be necessary to suppress the ExtraProtect,
Mark Lobodzinski85672672016-10-13 08:36:42 -0600418 # or move it below the 'for section...' loop.
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600419 ifdef = ''
Mark Lobodzinski85672672016-10-13 08:36:42 -0600420 if (self.featureExtraProtect != None):
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600421 ifdef = '#ifdef %s\n' % self.featureExtraProtect
422 self.validation.append(ifdef)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600423 # Generate the struct member checking code from the captured data
424 self.processStructMemberData()
425 # Generate the command parameter checking code from the captured data
426 self.processCmdData()
427 # Write the declaration for the HeaderVersion
428 if self.headerVersion:
429 write('const uint32_t GeneratedHeaderVersion = {};'.format(self.headerVersion), file=self.outFile)
430 self.newline()
431 # Write the declarations for the VkFlags values combining all flag bits
Chris Forbes78ea32d2016-11-28 11:14:17 +1300432 for flag in sorted(self.newFlags):
Mark Lobodzinski85672672016-10-13 08:36:42 -0600433 flagBits = flag.replace('Flags', 'FlagBits')
434 if flagBits in self.flagBits:
435 bits = self.flagBits[flagBits]
436 decl = 'const {} All{} = {}'.format(flag, flagBits, bits[0])
437 for bit in bits[1:]:
438 decl += '|' + bit
439 decl += ';'
440 write(decl, file=self.outFile)
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600441 endif = '\n'
Mark Lobodzinski85672672016-10-13 08:36:42 -0600442 if (self.featureExtraProtect != None):
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -0600443 endif = '#endif // %s\n' % self.featureExtraProtect
444 self.validation.append(endif)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600445 # Finish processing in superclass
446 OutputGenerator.endFeature(self)
447 #
Mark Lobodzinski85672672016-10-13 08:36:42 -0600448 # Type generation
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700449 def genType(self, typeinfo, name, alias):
Dave Houlton413a6782018-05-22 13:01:54 -0600450 # record the name/alias pair
451 if alias != None:
452 self.alias_dict[name]=alias
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700453 OutputGenerator.genType(self, typeinfo, name, alias)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600454 typeElem = typeinfo.elem
Mark Lobodzinski87017df2018-05-30 11:29:24 -0600455 # If the type is a struct type, traverse the embedded <member> tags generating a structure. Otherwise, emit the tag text.
Mark Lobodzinski85672672016-10-13 08:36:42 -0600456 category = typeElem.get('category')
457 if (category == 'struct' or category == 'union'):
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700458 self.genStruct(typeinfo, name, alias)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600459 elif (category == 'handle'):
460 self.handleTypes.add(name)
461 elif (category == 'bitmask'):
462 self.flags.add(name)
Chris Forbes78ea32d2016-11-28 11:14:17 +1300463 self.newFlags.add(name)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600464 elif (category == 'define'):
465 if name == 'VK_HEADER_VERSION':
466 nameElem = typeElem.find('name')
467 self.headerVersion = noneStr(nameElem.tail).strip()
468 #
469 # Struct parameter check generation.
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600470 # This is a special case of the <type> tag where the contents are interpreted as a set of <member> tags instead of freeform C
471 # type declarations. The <member> tags are just like <param> tags - they are a declaration of a struct or union member.
472 # Only simple member declarations are supported (no nested structs etc.)
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700473 def genStruct(self, typeinfo, typeName, alias):
Dave Houlton413a6782018-05-22 13:01:54 -0600474 # alias has already been recorded in genType, above
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700475 OutputGenerator.genStruct(self, typeinfo, typeName, alias)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600476 conditions = self.structMemberValidationConditions[typeName] if typeName in self.structMemberValidationConditions else None
477 members = typeinfo.elem.findall('.//member')
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600478 if self.featureExtraProtect is not None:
479 self.struct_feature_protect[typeName] = self.featureExtraProtect
Mark Lobodzinski85672672016-10-13 08:36:42 -0600480 #
481 # Iterate over members once to get length parameters for arrays
482 lens = set()
483 for member in members:
484 len = self.getLen(member)
485 if len:
486 lens.add(len)
487 #
488 # Generate member info
489 membersInfo = []
490 for member in members:
491 # Get the member's type and name
492 info = self.getTypeNameTuple(member)
493 type = info[0]
494 name = info[1]
495 stypeValue = ''
496 cdecl = self.makeCParamDecl(member, 0)
497 # Process VkStructureType
498 if type == 'VkStructureType':
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600499 # Extract the required struct type value from the comments embedded in the original text defining the
500 # 'typeinfo' element
Mark Lobodzinski85672672016-10-13 08:36:42 -0600501 rawXml = etree.tostring(typeinfo.elem).decode('ascii')
502 result = re.search(r'VK_STRUCTURE_TYPE_\w+', rawXml)
503 if result:
504 value = result.group(0)
505 else:
506 value = self.genVkStructureType(typeName)
507 # Store the required type value
508 self.structTypes[typeName] = self.StructType(name=name, value=value)
509 #
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600510 # Store pointer/array/string info -- Check for parameter name in lens set
Mark Lobodzinski85672672016-10-13 08:36:42 -0600511 iscount = False
512 if name in lens:
513 iscount = True
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600514 # The pNext members are not tagged as optional, but are treated as optional for parameter NULL checks. Static array
515 # members are also treated as optional to skip NULL pointer validation, as they won't be NULL.
Mark Lobodzinski85672672016-10-13 08:36:42 -0600516 isstaticarray = self.paramIsStaticArray(member)
517 isoptional = False
518 if self.paramIsOptional(member) or (name == 'pNext') or (isstaticarray):
519 isoptional = True
Dustin Gravesce68f082017-03-30 15:42:16 -0600520 # Determine if value should be ignored by code generation.
521 noautovalidity = False
522 if (member.attrib.get('noautovalidity') is not None) or ((typeName in self.structMemberBlacklist) and (name in self.structMemberBlacklist[typeName])):
523 noautovalidity = True
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600524 structextends = False
Mark Lobodzinski85672672016-10-13 08:36:42 -0600525 membersInfo.append(self.CommandParam(type=type, name=name,
526 ispointer=self.paramIsPointer(member),
527 isstaticarray=isstaticarray,
528 isbool=True if type == 'VkBool32' else False,
529 israngedenum=True if type in self.enumRanges else False,
530 isconst=True if 'const' in cdecl else False,
531 isoptional=isoptional,
532 iscount=iscount,
Dustin Gravesce68f082017-03-30 15:42:16 -0600533 noautovalidity=noautovalidity,
Mark Lobodzinski85672672016-10-13 08:36:42 -0600534 len=self.getLen(member),
Mike Schuchardta40d0b02017-07-23 12:47:47 -0600535 extstructs=self.registry.validextensionstructs[typeName] if name == 'pNext' else None,
Mark Lobodzinski85672672016-10-13 08:36:42 -0600536 condition=conditions[name] if conditions and name in conditions else None,
537 cdecl=cdecl))
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600538 # If this struct extends another, keep its name in list for further processing
539 if typeinfo.elem.attrib.get('structextends') is not None:
540 self.structextends_list.append(typeName)
541 # Returnedonly structs should have most of their members ignored -- on entry, we only care about validating the sType and
542 # pNext members. Everything else will be overwritten by the callee.
543 if typeinfo.elem.attrib.get('returnedonly') is not None:
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600544 self.returnedonly_structs.append(typeName)
545 membersInfo = [m for m in membersInfo if m.name in ('sType', 'pNext')]
Mark Lobodzinski85672672016-10-13 08:36:42 -0600546 self.structMembers.append(self.StructMemberData(name=typeName, members=membersInfo))
547 #
Mark Lobodzinskif31e0422017-07-25 14:29:42 -0600548 # Capture group (e.g. C "enum" type) info to be used for param check code generation.
Mark Lobodzinski85672672016-10-13 08:36:42 -0600549 # These are concatenated together with other types.
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700550 def genGroup(self, groupinfo, groupName, alias):
Dave Houlton413a6782018-05-22 13:01:54 -0600551 # record the name/alias pair
552 if alias != None:
553 self.alias_dict[groupName]=alias
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700554 OutputGenerator.genGroup(self, groupinfo, groupName, alias)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600555 groupElem = groupinfo.elem
Mark Lobodzinski85672672016-10-13 08:36:42 -0600556 # Store the sType values
557 if groupName == 'VkStructureType':
558 for elem in groupElem.findall('enum'):
559 self.stypes.append(elem.get('name'))
560 elif 'FlagBits' in groupName:
561 bits = []
562 for elem in groupElem.findall('enum'):
Shannon McPherson533a66c2018-08-21 12:09:25 -0600563 if elem.get('supported') != 'disabled':
564 bits.append(elem.get('name'))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600565 if bits:
566 self.flagBits[groupName] = bits
567 else:
568 # Determine if begin/end ranges are needed (we don't do this for VkStructureType, which has a more finely grained check)
569 expandName = re.sub(r'([0-9a-z_])([A-Z0-9][^A-Z0-9]?)',r'\1_\2',groupName).upper()
570 expandPrefix = expandName
571 expandSuffix = ''
572 expandSuffixMatch = re.search(r'[A-Z][A-Z]+$',groupName)
573 if expandSuffixMatch:
574 expandSuffix = '_' + expandSuffixMatch.group()
575 # Strip off the suffix from the prefix
576 expandPrefix = expandName.rsplit(expandSuffix, 1)[0]
577 isEnum = ('FLAG_BITS' not in expandPrefix)
578 if isEnum:
579 self.enumRanges[groupName] = (expandPrefix + '_BEGIN_RANGE' + expandSuffix, expandPrefix + '_END_RANGE' + expandSuffix)
Mark Lobodzinskif31e0422017-07-25 14:29:42 -0600580 # Create definition for a list containing valid enum values for this enumerated type
581 enum_entry = 'const std::vector<%s> All%sEnums = {' % (groupName, groupName)
582 for enum in groupElem:
583 name = enum.get('name')
Mark Lobodzinski117d88f2017-07-27 12:09:08 -0600584 if name is not None and enum.get('supported') != 'disabled':
585 enum_entry += '%s, ' % name
Mark Lobodzinskif31e0422017-07-25 14:29:42 -0600586 enum_entry += '};\n'
587 self.enumValueLists += enum_entry
Mark Lobodzinski85672672016-10-13 08:36:42 -0600588 #
Mark Lobodzinskif31e0422017-07-25 14:29:42 -0600589 # Capture command parameter info to be used for param check code generation.
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700590 def genCmd(self, cmdinfo, name, alias):
Dave Houlton413a6782018-05-22 13:01:54 -0600591 # record the name/alias pair
592 if alias != None:
593 self.alias_dict[name]=alias
Mike Schuchardtf375c7c2017-12-28 11:23:48 -0700594 OutputGenerator.genCmd(self, cmdinfo, name, alias)
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600595 decls = self.makeCDecls(cmdinfo.elem)
596 typedef = decls[1]
597 typedef = typedef.split(')',1)[1]
598 if name not in self.blacklist:
Mark Lobodzinskib6b8bbd2017-02-08 14:37:15 -0700599 if (self.featureExtraProtect != None):
600 self.declarations += [ '#ifdef %s' % self.featureExtraProtect ]
601 self.intercepts += [ '#ifdef %s' % self.featureExtraProtect ]
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600602 if (name not in self.validate_only):
603 self.func_pointers += '#ifdef %s\n' % self.featureExtraProtect
604 self.typedefs += '#ifdef %s\n' % self.featureExtraProtect
605 if (name not in self.validate_only):
606 self.typedefs += 'typedef bool (*PFN_manual_%s)%s\n' % (name, typedef)
Mark Lobodzinski78a12a92017-08-08 14:16:51 -0600607 self.func_pointers += ' {"%s", nullptr},\n' % name
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600608 self.intercepts += [ ' {"%s", (void*)%s},' % (name,name) ]
Mark Lobodzinskib6b8bbd2017-02-08 14:37:15 -0700609 # Strip off 'vk' from API name
610 self.declarations += [ '%s' % decls[0].replace("VKAPI_CALL vk", "VKAPI_CALL ") ]
611 if (self.featureExtraProtect != None):
612 self.intercepts += [ '#endif' ]
613 self.declarations += [ '#endif' ]
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600614 if (name not in self.validate_only):
615 self.func_pointers += '#endif\n'
616 self.typedefs += '#endif\n'
Mark Lobodzinski85672672016-10-13 08:36:42 -0600617 if name not in self.blacklist:
618 params = cmdinfo.elem.findall('param')
619 # Get list of array lengths
620 lens = set()
621 for param in params:
622 len = self.getLen(param)
623 if len:
624 lens.add(len)
625 # Get param info
626 paramsInfo = []
627 for param in params:
628 paramInfo = self.getTypeNameTuple(param)
629 cdecl = self.makeCParamDecl(param, 0)
630 # Check for parameter name in lens set
631 iscount = False
632 if paramInfo[1] in lens:
633 iscount = True
634 paramsInfo.append(self.CommandParam(type=paramInfo[0], name=paramInfo[1],
635 ispointer=self.paramIsPointer(param),
636 isstaticarray=self.paramIsStaticArray(param),
637 isbool=True if paramInfo[0] == 'VkBool32' else False,
638 israngedenum=True if paramInfo[0] in self.enumRanges else False,
639 isconst=True if 'const' in cdecl else False,
640 isoptional=self.paramIsOptional(param),
641 iscount=iscount,
642 noautovalidity=True if param.attrib.get('noautovalidity') is not None else False,
643 len=self.getLen(param),
644 extstructs=None,
645 condition=None,
646 cdecl=cdecl))
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600647 # Save return value information, if any
648 result_type = ''
649 resultinfo = cmdinfo.elem.find('proto/type')
650 if (resultinfo != None and resultinfo.text != 'void'):
651 result_type = resultinfo.text
652 self.commands.append(self.CommandData(name=name, params=paramsInfo, cdecl=self.makeCDecls(cmdinfo.elem)[0], extension_type=self.extension_type, result=result_type))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600653 #
654 # Check if the parameter passed in is a pointer
655 def paramIsPointer(self, param):
656 ispointer = 0
657 paramtype = param.find('type')
658 if (paramtype.tail is not None) and ('*' in paramtype.tail):
659 ispointer = paramtype.tail.count('*')
660 elif paramtype.text[:4] == 'PFN_':
661 # Treat function pointer typedefs as a pointer to a single value
662 ispointer = 1
663 return ispointer
664 #
665 # Check if the parameter passed in is a static array
666 def paramIsStaticArray(self, param):
667 isstaticarray = 0
668 paramname = param.find('name')
669 if (paramname.tail is not None) and ('[' in paramname.tail):
670 isstaticarray = paramname.tail.count('[')
671 return isstaticarray
672 #
673 # Check if the parameter passed in is optional
674 # Returns a list of Boolean values for comma separated len attributes (len='false,true')
675 def paramIsOptional(self, param):
676 # See if the handle is optional
677 isoptional = False
678 # Simple, if it's optional, return true
679 optString = param.attrib.get('optional')
680 if optString:
681 if optString == 'true':
682 isoptional = True
683 elif ',' in optString:
684 opts = []
685 for opt in optString.split(','):
686 val = opt.strip()
687 if val == 'true':
688 opts.append(True)
689 elif val == 'false':
690 opts.append(False)
691 else:
692 print('Unrecognized len attribute value',val)
693 isoptional = opts
694 return isoptional
695 #
696 # Check if the handle passed in is optional
697 # Uses the same logic as ValidityOutputGenerator.isHandleOptional
698 def isHandleOptional(self, param, lenParam):
699 # Simple, if it's optional, return true
700 if param.isoptional:
701 return True
702 # If no validity is being generated, it usually means that validity is complex and not absolute, so let's say yes.
703 if param.noautovalidity:
704 return True
705 # If the parameter is an array and we haven't already returned, find out if any of the len parameters are optional
706 if lenParam and lenParam.isoptional:
707 return True
708 return False
709 #
710 # Generate a VkStructureType based on a structure typename
711 def genVkStructureType(self, typename):
712 # Add underscore between lowercase then uppercase
713 value = re.sub('([a-z0-9])([A-Z])', r'\1_\2', typename)
Shannon McPherson3da25c62018-10-22 11:06:08 -0600714 value = value.replace('ASTCDecode', 'ASTC_Decode')
Mark Young39389872017-01-19 21:10:49 -0700715 value = value.replace('D3_D12', 'D3D12')
716 value = value.replace('Device_IDProp', 'Device_ID_Prop')
Mark Lobodzinskidbd5c0f2018-07-16 12:03:07 -0600717 value = value.replace('e8_Bit', 'E_8BIT')
Shannon McPherson3da25c62018-10-22 11:06:08 -0600718 value = value.replace('e16_Bit', 'E_16BIT')
719 value = value.replace('Features2', 'FEATURES_2')
720 value = value.replace('LODGather', 'LOD_Gather')
721 value = value.replace('PCIBus', 'PCI_Bus')
Mark Lobodzinski85672672016-10-13 08:36:42 -0600722 # Change to uppercase
723 value = value.upper()
724 # Add STRUCTURE_TYPE_
725 return re.sub('VK_', 'VK_STRUCTURE_TYPE_', value)
726 #
727 # Get the cached VkStructureType value for the specified struct typename, or generate a VkStructureType
728 # value assuming the struct is defined by a different feature
Mark Lobodzinski9ddf9282018-05-31 13:59:59 -0600729 # TODO: The structTypes list gets built incrementally -- half the time, the sType you're looking for is not yet in the list.
730 # The list needs to be built up-front, probably by accessing the XML directly, or by rewriting the generator.
Mark Lobodzinski85672672016-10-13 08:36:42 -0600731 def getStructType(self, typename):
732 value = None
733 if typename in self.structTypes:
734 value = self.structTypes[typename].value
735 else:
736 value = self.genVkStructureType(typename)
737 self.logMsg('diag', 'ParameterValidation: Generating {} for {} structure type that was not defined by the current feature'.format(value, typename))
738 return value
739 #
740 # Retrieve the value of the len tag
741 def getLen(self, param):
742 result = None
743 len = param.attrib.get('len')
744 if len and len != 'null-terminated':
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600745 # For string arrays, 'len' can look like 'count,null-terminated', indicating that we have a null terminated array of
746 # strings. We strip the null-terminated from the 'len' field and only return the parameter specifying the string count
Mark Lobodzinski85672672016-10-13 08:36:42 -0600747 if 'null-terminated' in len:
748 result = len.split(',')[0]
749 else:
750 result = len
751 result = str(result).replace('::', '->')
752 return result
753 #
754 # Retrieve the type and name for a parameter
755 def getTypeNameTuple(self, param):
756 type = ''
757 name = ''
758 for elem in param:
759 if elem.tag == 'type':
760 type = noneStr(elem.text)
761 elif elem.tag == 'name':
762 name = noneStr(elem.text)
763 return (type, name)
764 #
765 # Find a named parameter in a parameter list
766 def getParamByName(self, params, name):
767 for param in params:
768 if param.name == name:
769 return param
770 return None
771 #
772 # Extract length values from latexmath. Currently an inflexible solution that looks for specific
773 # patterns that are found in vk.xml. Will need to be updated when new patterns are introduced.
774 def parseLateXMath(self, source):
775 name = 'ERROR'
776 decoratedName = 'ERROR'
777 if 'mathit' in source:
Mark Lobodzinski36c33862017-02-13 10:15:53 -0700778 # Matches expressions similar to 'latexmath:[\lceil{\mathit{rasterizationSamples} \over 32}\rceil]'
779 match = re.match(r'latexmath\s*\:\s*\[\s*\\l(\w+)\s*\{\s*\\mathit\s*\{\s*(\w+)\s*\}\s*\\over\s*(\d+)\s*\}\s*\\r(\w+)\s*\]', source)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600780 if not match or match.group(1) != match.group(4):
781 raise 'Unrecognized latexmath expression'
782 name = match.group(2)
783 decoratedName = '{}({}/{})'.format(*match.group(1, 2, 3))
784 else:
Mark Lobodzinski36c33862017-02-13 10:15:53 -0700785 # Matches expressions similar to 'latexmath : [dataSize \over 4]'
Shannon McPhersonbd68df02018-10-29 15:04:41 -0600786 match = re.match(r'latexmath\s*\:\s*\[\s*(\\textrm\{)?(\w+)\}?\s*\\over\s*(\d+)\s*\]', source)
787 name = match.group(2)
788 decoratedName = '{}/{}'.format(*match.group(2, 3))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600789 return name, decoratedName
790 #
791 # Get the length paramater record for the specified parameter name
792 def getLenParam(self, params, name):
793 lenParam = None
794 if name:
795 if '->' in name:
796 # The count is obtained by dereferencing a member of a struct parameter
797 lenParam = self.CommandParam(name=name, iscount=True, ispointer=False, isbool=False, israngedenum=False, isconst=False,
Mark Lobodzinskia1368552018-05-04 16:03:28 -0600798 isstaticarray=None, isoptional=False, type=None, noautovalidity=False,
799 len=None, extstructs=None, condition=None, cdecl=None)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600800 elif 'latexmath' in name:
801 lenName, decoratedName = self.parseLateXMath(name)
802 lenParam = self.getParamByName(params, lenName)
Mark Lobodzinski85672672016-10-13 08:36:42 -0600803 else:
804 lenParam = self.getParamByName(params, name)
805 return lenParam
806 #
807 # Convert a vulkan.h command declaration into a parameter_validation.h definition
808 def getCmdDef(self, cmd):
Mark Lobodzinski85672672016-10-13 08:36:42 -0600809 # Strip the trailing ';' and split into individual lines
810 lines = cmd.cdecl[:-1].split('\n')
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600811 cmd_hdr = '\n'.join(lines)
812 return cmd_hdr
Mark Lobodzinski85672672016-10-13 08:36:42 -0600813 #
814 # Generate the code to check for a NULL dereference before calling the
815 # validation function
816 def genCheckedLengthCall(self, name, exprs):
817 count = name.count('->')
818 if count:
819 checkedExpr = []
820 localIndent = ''
821 elements = name.split('->')
822 # Open the if expression blocks
823 for i in range(0, count):
824 checkedExpr.append(localIndent + 'if ({} != NULL) {{\n'.format('->'.join(elements[0:i+1])))
825 localIndent = self.incIndent(localIndent)
826 # Add the validation expression
827 for expr in exprs:
828 checkedExpr.append(localIndent + expr)
829 # Close the if blocks
830 for i in range(0, count):
831 localIndent = self.decIndent(localIndent)
832 checkedExpr.append(localIndent + '}\n')
833 return [checkedExpr]
834 # No if statements were required
835 return exprs
836 #
837 # Generate code to check for a specific condition before executing validation code
838 def genConditionalCall(self, prefix, condition, exprs):
839 checkedExpr = []
840 localIndent = ''
841 formattedCondition = condition.format(prefix)
842 checkedExpr.append(localIndent + 'if ({})\n'.format(formattedCondition))
843 checkedExpr.append(localIndent + '{\n')
844 localIndent = self.incIndent(localIndent)
845 for expr in exprs:
846 checkedExpr.append(localIndent + expr)
847 localIndent = self.decIndent(localIndent)
848 checkedExpr.append(localIndent + '}\n')
849 return [checkedExpr]
850 #
Mark Lobodzinski06954ea2017-06-21 12:21:45 -0600851 # Get VUID identifier from implicit VUID tag
Dave Houlton413a6782018-05-22 13:01:54 -0600852 def GetVuid(self, name, suffix):
853 vuid_string = 'VUID-%s-%s' % (name, suffix)
854 vuid = "kVUIDUndefined"
Mark Lobodzinski1e707bd2017-06-28 10:54:55 -0600855 if '->' in vuid_string:
Dave Houlton413a6782018-05-22 13:01:54 -0600856 return vuid
857 if vuid_string in self.valid_vuids:
858 vuid = "\"%s\"" % vuid_string
Mark Lobodzinski06954ea2017-06-21 12:21:45 -0600859 else:
Dave Houlton413a6782018-05-22 13:01:54 -0600860 if name in self.alias_dict:
861 alias_string = 'VUID-%s-%s' % (self.alias_dict[name], suffix)
862 if alias_string in self.valid_vuids:
863 vuid = "\"%s\"" % vuid_string
Mark Lobodzinski06954ea2017-06-21 12:21:45 -0600864 return vuid
865 #
Mark Lobodzinski85672672016-10-13 08:36:42 -0600866 # Generate the sType check string
Mark Lobodzinski9cf24dd2017-06-28 14:23:22 -0600867 def makeStructTypeCheck(self, prefix, value, lenValue, valueRequired, lenValueRequired, lenPtrRequired, funcPrintName, lenPrintName, valuePrintName, postProcSpec, struct_type_name):
Mark Lobodzinski85672672016-10-13 08:36:42 -0600868 checkExpr = []
869 stype = self.structTypes[value.type]
Mark Lobodzinski59603552018-05-29 16:14:59 -0600870 vuid_name = struct_type_name if struct_type_name is not None else funcPrintName
871 stype_vuid = self.GetVuid(value.type, "sType-sType")
872 param_vuid = self.GetVuid(vuid_name, "%s-parameter" % value.name)
873
Mark Lobodzinski85672672016-10-13 08:36:42 -0600874 if lenValue:
875 # This is an array with a pointer to a count value
876 if lenValue.ispointer:
877 # When the length parameter is a pointer, there is an extra Boolean parameter in the function call to indicate if it is required
Mark Lobodzinski59603552018-05-29 16:14:59 -0600878 checkExpr.append('skip |= validate_struct_type_array(local_data->report_data, "{}", {ppp}"{ldn}"{pps}, {ppp}"{dn}"{pps}, "{sv}", {pf}{ln}, {pf}{vn}, {sv}, {}, {}, {}, {}, {});\n'.format(
879 funcPrintName, lenPtrRequired, lenValueRequired, valueRequired, stype_vuid, param_vuid, ln=lenValue.name, ldn=lenPrintName, dn=valuePrintName, vn=value.name, sv=stype.value, pf=prefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600880 # This is an array with an integer count value
881 else:
Mark Lobodzinski59603552018-05-29 16:14:59 -0600882 checkExpr.append('skip |= validate_struct_type_array(local_data->report_data, "{}", {ppp}"{ldn}"{pps}, {ppp}"{dn}"{pps}, "{sv}", {pf}{ln}, {pf}{vn}, {sv}, {}, {}, {}, {});\n'.format(
883 funcPrintName, lenValueRequired, valueRequired, stype_vuid, param_vuid, ln=lenValue.name, ldn=lenPrintName, dn=valuePrintName, vn=value.name, sv=stype.value, pf=prefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600884 # This is an individual struct
885 else:
Mark Lobodzinskia16ebc72018-06-15 14:47:39 -0600886 checkExpr.append('skip |= validate_struct_type(local_data->report_data, "{}", {ppp}"{}"{pps}, "{sv}", {}{vn}, {sv}, {}, {}, {});\n'.format(
887 funcPrintName, valuePrintName, prefix, valueRequired, param_vuid, stype_vuid, vn=value.name, sv=stype.value, vt=value.type, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600888 return checkExpr
889 #
890 # Generate the handle check string
891 def makeHandleCheck(self, prefix, value, lenValue, valueRequired, lenValueRequired, funcPrintName, lenPrintName, valuePrintName, postProcSpec):
892 checkExpr = []
893 if lenValue:
894 if lenValue.ispointer:
895 # This is assumed to be an output array with a pointer to a count value
896 raise('Unsupported parameter validation case: Output handle array elements are not NULL checked')
897 else:
898 # This is an array with an integer count value
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600899 checkExpr.append('skip |= validate_handle_array(local_data->report_data, "{}", {ppp}"{ldn}"{pps}, {ppp}"{dn}"{pps}, {pf}{ln}, {pf}{vn}, {}, {});\n'.format(
Mark Lobodzinski85672672016-10-13 08:36:42 -0600900 funcPrintName, lenValueRequired, valueRequired, ln=lenValue.name, ldn=lenPrintName, dn=valuePrintName, vn=value.name, pf=prefix, **postProcSpec))
901 else:
902 # This is assumed to be an output handle pointer
903 raise('Unsupported parameter validation case: Output handles are not NULL checked')
904 return checkExpr
905 #
906 # Generate check string for an array of VkFlags values
907 def makeFlagsArrayCheck(self, prefix, value, lenValue, valueRequired, lenValueRequired, funcPrintName, lenPrintName, valuePrintName, postProcSpec):
908 checkExpr = []
909 flagBitsName = value.type.replace('Flags', 'FlagBits')
910 if not flagBitsName in self.flagBits:
911 raise('Unsupported parameter validation case: array of reserved VkFlags')
912 else:
913 allFlags = 'All' + flagBitsName
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600914 checkExpr.append('skip |= validate_flags_array(local_data->report_data, "{}", {ppp}"{}"{pps}, {ppp}"{}"{pps}, "{}", {}, {pf}{}, {pf}{}, {}, {});\n'.format(funcPrintName, lenPrintName, valuePrintName, flagBitsName, allFlags, lenValue.name, value.name, lenValueRequired, valueRequired, pf=prefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600915 return checkExpr
916 #
917 # Generate pNext check string
Mark Lobodzinski3c828522017-06-26 13:05:57 -0600918 def makeStructNextCheck(self, prefix, value, funcPrintName, valuePrintName, postProcSpec, struct_type_name):
Mark Lobodzinski85672672016-10-13 08:36:42 -0600919 checkExpr = []
920 # Generate an array of acceptable VkStructureType values for pNext
921 extStructCount = 0
922 extStructVar = 'NULL'
923 extStructNames = 'NULL'
Dave Houlton413a6782018-05-22 13:01:54 -0600924 vuid = self.GetVuid(struct_type_name, "pNext-pNext")
Mark Lobodzinski85672672016-10-13 08:36:42 -0600925 if value.extstructs:
Mike Schuchardtc73d07e2017-07-12 10:10:01 -0600926 extStructVar = 'allowed_structs_{}'.format(struct_type_name)
927 extStructCount = 'ARRAY_SIZE({})'.format(extStructVar)
Mike Schuchardta40d0b02017-07-23 12:47:47 -0600928 extStructNames = '"' + ', '.join(value.extstructs) + '"'
929 checkExpr.append('const VkStructureType {}[] = {{ {} }};\n'.format(extStructVar, ', '.join([self.getStructType(s) for s in value.extstructs])))
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600930 checkExpr.append('skip |= validate_struct_pnext(local_data->report_data, "{}", {ppp}"{}"{pps}, {}, {}{}, {}, {}, GeneratedHeaderVersion, {});\n'.format(
Mark Lobodzinski3c828522017-06-26 13:05:57 -0600931 funcPrintName, valuePrintName, extStructNames, prefix, value.name, extStructCount, extStructVar, vuid, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600932 return checkExpr
933 #
934 # Generate the pointer check string
Mark Lobodzinski1e707bd2017-06-28 10:54:55 -0600935 def makePointerCheck(self, prefix, value, lenValue, valueRequired, lenValueRequired, lenPtrRequired, funcPrintName, lenPrintName, valuePrintName, postProcSpec, struct_type_name):
Mark Lobodzinski85672672016-10-13 08:36:42 -0600936 checkExpr = []
Mark Lobodzinskidead0b62017-06-28 13:22:03 -0600937 vuid_tag_name = struct_type_name if struct_type_name is not None else funcPrintName
Mark Lobodzinski85672672016-10-13 08:36:42 -0600938 if lenValue:
Dave Houlton413a6782018-05-22 13:01:54 -0600939 count_required_vuid = self.GetVuid(vuid_tag_name, "%s-arraylength" % (lenValue.name))
940 array_required_vuid = self.GetVuid(vuid_tag_name, "%s-parameter" % (value.name))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600941 # This is an array with a pointer to a count value
942 if lenValue.ispointer:
943 # If count and array parameters are optional, there will be no validation
944 if valueRequired == 'true' or lenPtrRequired == 'true' or lenValueRequired == 'true':
945 # When the length parameter is a pointer, there is an extra Boolean parameter in the function call to indicate if it is required
Gabríel Arthúr Pétursson092b29b2018-03-21 22:44:11 +0000946 checkExpr.append('skip |= validate_array(local_data->report_data, "{}", {ppp}"{ldn}"{pps}, {ppp}"{dn}"{pps}, {pf}{ln}, &{pf}{vn}, {}, {}, {}, {}, {});\n'.format(
Mark Lobodzinski1e707bd2017-06-28 10:54:55 -0600947 funcPrintName, lenPtrRequired, lenValueRequired, valueRequired, count_required_vuid, array_required_vuid, ln=lenValue.name, ldn=lenPrintName, dn=valuePrintName, vn=value.name, pf=prefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600948 # This is an array with an integer count value
949 else:
950 # If count and array parameters are optional, there will be no validation
951 if valueRequired == 'true' or lenValueRequired == 'true':
Mark Lobodzinski1e707bd2017-06-28 10:54:55 -0600952 if value.type != 'char':
Gabríel Arthúr Pétursson092b29b2018-03-21 22:44:11 +0000953 checkExpr.append('skip |= validate_array(local_data->report_data, "{}", {ppp}"{ldn}"{pps}, {ppp}"{dn}"{pps}, {pf}{ln}, &{pf}{vn}, {}, {}, {}, {});\n'.format(
Mark Lobodzinski1e707bd2017-06-28 10:54:55 -0600954 funcPrintName, lenValueRequired, valueRequired, count_required_vuid, array_required_vuid, ln=lenValue.name, ldn=lenPrintName, dn=valuePrintName, vn=value.name, pf=prefix, **postProcSpec))
955 else:
956 # Arrays of strings receive special processing
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600957 checkExpr.append('skip |= validate_string_array(local_data->report_data, "{}", {ppp}"{ldn}"{pps}, {ppp}"{dn}"{pps}, {pf}{ln}, {pf}{vn}, {}, {}, {}, {});\n'.format(
Mark Lobodzinski1e707bd2017-06-28 10:54:55 -0600958 funcPrintName, lenValueRequired, valueRequired, count_required_vuid, array_required_vuid, ln=lenValue.name, ldn=lenPrintName, dn=valuePrintName, vn=value.name, pf=prefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600959 if checkExpr:
960 if lenValue and ('->' in lenValue.name):
961 # Add checks to ensure the validation call does not dereference a NULL pointer to obtain the count
962 checkExpr = self.genCheckedLengthCall(lenValue.name, checkExpr)
963 # This is an individual struct that is not allowed to be NULL
964 elif not value.isoptional:
965 # Function pointers need a reinterpret_cast to void*
Dave Houlton413a6782018-05-22 13:01:54 -0600966 ptr_required_vuid = self.GetVuid(vuid_tag_name, "%s-parameter" % (value.name))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600967 if value.type[:4] == 'PFN_':
Dave Houlton413a6782018-05-22 13:01:54 -0600968 allocator_dict = {'pfnAllocation': '"VUID-VkAllocationCallbacks-pfnAllocation-00632"',
969 'pfnReallocation': '"VUID-VkAllocationCallbacks-pfnReallocation-00633"',
970 'pfnFree': '"VUID-VkAllocationCallbacks-pfnFree-00634"',
971 'pfnInternalAllocation': '"VUID-VkAllocationCallbacks-pfnInternalAllocation-00635"'
Mark Lobodzinski02fa1972017-06-28 14:46:14 -0600972 }
973 vuid = allocator_dict.get(value.name)
974 if vuid is not None:
Dave Houlton413a6782018-05-22 13:01:54 -0600975 ptr_required_vuid = vuid
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600976 checkExpr.append('skip |= validate_required_pointer(local_data->report_data, "{}", {ppp}"{}"{pps}, reinterpret_cast<const void*>({}{}), {});\n'.format(funcPrintName, valuePrintName, prefix, value.name, ptr_required_vuid, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600977 else:
Mark Lobodzinskid4950072017-08-01 13:02:20 -0600978 checkExpr.append('skip |= validate_required_pointer(local_data->report_data, "{}", {ppp}"{}"{pps}, {}{}, {});\n'.format(funcPrintName, valuePrintName, prefix, value.name, ptr_required_vuid, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -0600979 return checkExpr
980 #
Mark Lobodzinski87017df2018-05-30 11:29:24 -0600981 # Process struct member validation code, performing name substitution if required
Mark Lobodzinski85672672016-10-13 08:36:42 -0600982 def processStructMemberCode(self, line, funcName, memberNamePrefix, memberDisplayNamePrefix, postProcSpec):
983 # Build format specifier list
984 kwargs = {}
985 if '{postProcPrefix}' in line:
986 # If we have a tuple that includes a format string and format parameters, need to use ParameterName class
987 if type(memberDisplayNamePrefix) is tuple:
988 kwargs['postProcPrefix'] = 'ParameterName('
989 else:
990 kwargs['postProcPrefix'] = postProcSpec['ppp']
991 if '{postProcSuffix}' in line:
992 # If we have a tuple that includes a format string and format parameters, need to use ParameterName class
993 if type(memberDisplayNamePrefix) is tuple:
994 kwargs['postProcSuffix'] = ', ParameterName::IndexVector{{ {}{} }})'.format(postProcSpec['ppi'], memberDisplayNamePrefix[1])
995 else:
996 kwargs['postProcSuffix'] = postProcSpec['pps']
997 if '{postProcInsert}' in line:
998 # If we have a tuple that includes a format string and format parameters, need to use ParameterName class
999 if type(memberDisplayNamePrefix) is tuple:
1000 kwargs['postProcInsert'] = '{}{}, '.format(postProcSpec['ppi'], memberDisplayNamePrefix[1])
1001 else:
1002 kwargs['postProcInsert'] = postProcSpec['ppi']
1003 if '{funcName}' in line:
1004 kwargs['funcName'] = funcName
1005 if '{valuePrefix}' in line:
1006 kwargs['valuePrefix'] = memberNamePrefix
1007 if '{displayNamePrefix}' in line:
1008 # Check for a tuple that includes a format string and format parameters to be used with the ParameterName class
1009 if type(memberDisplayNamePrefix) is tuple:
1010 kwargs['displayNamePrefix'] = memberDisplayNamePrefix[0]
1011 else:
1012 kwargs['displayNamePrefix'] = memberDisplayNamePrefix
1013
1014 if kwargs:
1015 # Need to escape the C++ curly braces
1016 if 'IndexVector' in line:
1017 line = line.replace('IndexVector{ ', 'IndexVector{{ ')
1018 line = line.replace(' }),', ' }}),')
1019 return line.format(**kwargs)
1020 return line
1021 #
Mark Lobodzinskia1368552018-05-04 16:03:28 -06001022 # Process struct member validation code, stripping metadata
1023 def ScrubStructCode(self, code):
1024 scrubbed_lines = ''
1025 for line in code:
1026 if 'validate_struct_pnext' in line:
1027 continue
1028 if 'allowed_structs' in line:
1029 continue
1030 if 'xml-driven validation' in line:
1031 continue
1032 line = line.replace('{postProcPrefix}', '')
1033 line = line.replace('{postProcSuffix}', '')
1034 line = line.replace('{postProcInsert}', '')
1035 line = line.replace('{funcName}', '')
1036 line = line.replace('{valuePrefix}', '')
1037 line = line.replace('{displayNamePrefix}', '')
1038 line = line.replace('{IndexVector}', '')
1039 line = line.replace('local_data->', '')
1040 scrubbed_lines += line
1041 return scrubbed_lines
1042 #
Mark Lobodzinski85672672016-10-13 08:36:42 -06001043 # Process struct validation code for inclusion in function or parent struct validation code
Mark Lobodzinski554cf372018-05-24 11:06:00 -06001044 def expandStructCode(self, item_type, funcName, memberNamePrefix, memberDisplayNamePrefix, indent, output, postProcSpec):
1045 lines = self.validatedStructs[item_type]
Mark Lobodzinski85672672016-10-13 08:36:42 -06001046 for line in lines:
1047 if output:
1048 output[-1] += '\n'
1049 if type(line) is list:
1050 for sub in line:
1051 output.append(self.processStructMemberCode(indent + sub, funcName, memberNamePrefix, memberDisplayNamePrefix, postProcSpec))
1052 else:
1053 output.append(self.processStructMemberCode(indent + line, funcName, memberNamePrefix, memberDisplayNamePrefix, postProcSpec))
1054 return output
1055 #
Mark Lobodzinski87017df2018-05-30 11:29:24 -06001056 # Process struct pointer/array validation code, performing name substitution if required
Mark Lobodzinski85672672016-10-13 08:36:42 -06001057 def expandStructPointerCode(self, prefix, value, lenValue, funcName, valueDisplayName, postProcSpec):
1058 expr = []
1059 expr.append('if ({}{} != NULL)\n'.format(prefix, value.name))
1060 expr.append('{')
1061 indent = self.incIndent(None)
1062 if lenValue:
1063 # Need to process all elements in the array
1064 indexName = lenValue.name.replace('Count', 'Index')
1065 expr[-1] += '\n'
Mark Young39389872017-01-19 21:10:49 -07001066 if lenValue.ispointer:
1067 # If the length value is a pointer, de-reference it for the count.
1068 expr.append(indent + 'for (uint32_t {iname} = 0; {iname} < *{}{}; ++{iname})\n'.format(prefix, lenValue.name, iname=indexName))
1069 else:
1070 expr.append(indent + 'for (uint32_t {iname} = 0; {iname} < {}{}; ++{iname})\n'.format(prefix, lenValue.name, iname=indexName))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001071 expr.append(indent + '{')
1072 indent = self.incIndent(indent)
1073 # Prefix for value name to display in error message
Mark Lobodzinski6f82eb52016-12-05 07:38:41 -07001074 if value.ispointer == 2:
1075 memberNamePrefix = '{}{}[{}]->'.format(prefix, value.name, indexName)
1076 memberDisplayNamePrefix = ('{}[%i]->'.format(valueDisplayName), indexName)
1077 else:
1078 memberNamePrefix = '{}{}[{}].'.format(prefix, value.name, indexName)
1079 memberDisplayNamePrefix = ('{}[%i].'.format(valueDisplayName), indexName)
Mark Lobodzinski85672672016-10-13 08:36:42 -06001080 else:
1081 memberNamePrefix = '{}{}->'.format(prefix, value.name)
1082 memberDisplayNamePrefix = '{}->'.format(valueDisplayName)
Mark Lobodzinski85672672016-10-13 08:36:42 -06001083 # Expand the struct validation lines
Mark Lobodzinski554cf372018-05-24 11:06:00 -06001084 expr = self.expandStructCode(value.type, funcName, memberNamePrefix, memberDisplayNamePrefix, indent, expr, postProcSpec)
Mark Lobodzinski85672672016-10-13 08:36:42 -06001085 if lenValue:
1086 # Close if and for scopes
1087 indent = self.decIndent(indent)
1088 expr.append(indent + '}\n')
1089 expr.append('}\n')
1090 return expr
1091 #
1092 # Generate the parameter checking code
1093 def genFuncBody(self, funcName, values, valuePrefix, displayNamePrefix, structTypeName):
1094 lines = [] # Generated lines of code
1095 unused = [] # Unused variable names
1096 for value in values:
1097 usedLines = []
1098 lenParam = None
1099 #
1100 # Prefix and suffix for post processing of parameter names for struct members. Arrays of structures need special processing to include the array index in the full parameter name.
1101 postProcSpec = {}
1102 postProcSpec['ppp'] = '' if not structTypeName else '{postProcPrefix}'
1103 postProcSpec['pps'] = '' if not structTypeName else '{postProcSuffix}'
1104 postProcSpec['ppi'] = '' if not structTypeName else '{postProcInsert}'
1105 #
1106 # Generate the full name of the value, which will be printed in the error message, by adding the variable prefix to the value name
1107 valueDisplayName = '{}{}'.format(displayNamePrefix, value.name)
1108 #
Mark Lobodzinski87017df2018-05-30 11:29:24 -06001109 # Check for NULL pointers, ignore the in-out count parameters that
Mark Lobodzinski85672672016-10-13 08:36:42 -06001110 # will be validated with their associated array
1111 if (value.ispointer or value.isstaticarray) and not value.iscount:
Mark Lobodzinski85672672016-10-13 08:36:42 -06001112 # Parameters for function argument generation
Mark Lobodzinskia1368552018-05-04 16:03:28 -06001113 req = 'true' # Parameter cannot be NULL
Mark Lobodzinski85672672016-10-13 08:36:42 -06001114 cpReq = 'true' # Count pointer cannot be NULL
1115 cvReq = 'true' # Count value cannot be 0
1116 lenDisplayName = None # Name of length parameter to print with validation messages; parameter name with prefix applied
Mark Lobodzinski85672672016-10-13 08:36:42 -06001117 # Generate required/optional parameter strings for the pointer and count values
1118 if value.isoptional:
1119 req = 'false'
1120 if value.len:
1121 # The parameter is an array with an explicit count parameter
1122 lenParam = self.getLenParam(values, value.len)
1123 lenDisplayName = '{}{}'.format(displayNamePrefix, lenParam.name)
1124 if lenParam.ispointer:
1125 # Count parameters that are pointers are inout
1126 if type(lenParam.isoptional) is list:
1127 if lenParam.isoptional[0]:
1128 cpReq = 'false'
1129 if lenParam.isoptional[1]:
1130 cvReq = 'false'
1131 else:
1132 if lenParam.isoptional:
1133 cpReq = 'false'
1134 else:
1135 if lenParam.isoptional:
1136 cvReq = 'false'
1137 #
Mark Lobodzinski899338b2018-07-26 13:59:52 -06001138 # The parameter will not be processed when tagged as 'noautovalidity'
Mark Lobodzinski85672672016-10-13 08:36:42 -06001139 # For the pointer to struct case, the struct pointer will not be validated, but any
Mark Lobodzinski899338b2018-07-26 13:59:52 -06001140 # members not tagged as 'noautovalidity' will be validated
1141 # We special-case the custom allocator checks, as they are explicit but can be auto-generated.
1142 AllocatorFunctions = ['PFN_vkAllocationFunction', 'PFN_vkReallocationFunction', 'PFN_vkFreeFunction']
1143 if value.noautovalidity and value.type not in AllocatorFunctions:
Mark Lobodzinski85672672016-10-13 08:36:42 -06001144 # Log a diagnostic message when validation cannot be automatically generated and must be implemented manually
1145 self.logMsg('diag', 'ParameterValidation: No validation for {} {}'.format(structTypeName if structTypeName else funcName, value.name))
1146 else:
Mark Lobodzinski85672672016-10-13 08:36:42 -06001147 if value.type in self.structTypes:
Mark Lobodzinski87017df2018-05-30 11:29:24 -06001148 # If this is a pointer to a struct with an sType field, verify the type
Mark Lobodzinski9cf24dd2017-06-28 14:23:22 -06001149 usedLines += self.makeStructTypeCheck(valuePrefix, value, lenParam, req, cvReq, cpReq, funcName, lenDisplayName, valueDisplayName, postProcSpec, structTypeName)
Mark Lobodzinski85672672016-10-13 08:36:42 -06001150 # If this is an input handle array that is not allowed to contain NULL handles, verify that none of the handles are VK_NULL_HANDLE
1151 elif value.type in self.handleTypes and value.isconst and not self.isHandleOptional(value, lenParam):
1152 usedLines += self.makeHandleCheck(valuePrefix, value, lenParam, req, cvReq, funcName, lenDisplayName, valueDisplayName, postProcSpec)
1153 elif value.type in self.flags and value.isconst:
1154 usedLines += self.makeFlagsArrayCheck(valuePrefix, value, lenParam, req, cvReq, funcName, lenDisplayName, valueDisplayName, postProcSpec)
1155 elif value.isbool and value.isconst:
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001156 usedLines.append('skip |= validate_bool32_array(local_data->report_data, "{}", {ppp}"{}"{pps}, {ppp}"{}"{pps}, {pf}{}, {pf}{}, {}, {});\n'.format(funcName, lenDisplayName, valueDisplayName, lenParam.name, value.name, cvReq, req, pf=valuePrefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001157 elif value.israngedenum and value.isconst:
Mark Lobodzinskiaff801e2017-07-25 15:29:57 -06001158 enum_value_list = 'All%sEnums' % value.type
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001159 usedLines.append('skip |= validate_ranged_enum_array(local_data->report_data, "{}", {ppp}"{}"{pps}, {ppp}"{}"{pps}, "{}", {}, {pf}{}, {pf}{}, {}, {});\n'.format(funcName, lenDisplayName, valueDisplayName, value.type, enum_value_list, lenParam.name, value.name, cvReq, req, pf=valuePrefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001160 elif value.name == 'pNext':
Mark Lobodzinski9ddf9282018-05-31 13:59:59 -06001161 usedLines += self.makeStructNextCheck(valuePrefix, value, funcName, valueDisplayName, postProcSpec, structTypeName)
Mark Lobodzinski85672672016-10-13 08:36:42 -06001162 else:
Mark Lobodzinski1e707bd2017-06-28 10:54:55 -06001163 usedLines += self.makePointerCheck(valuePrefix, value, lenParam, req, cvReq, cpReq, funcName, lenDisplayName, valueDisplayName, postProcSpec, structTypeName)
Mark Lobodzinski85672672016-10-13 08:36:42 -06001164 # If this is a pointer to a struct (input), see if it contains members that need to be checked
Mark Lobodzinskia1368552018-05-04 16:03:28 -06001165 if value.type in self.validatedStructs:
1166 if value.isconst: # or value.type in self.returnedonly_structs:
1167 usedLines.append(self.expandStructPointerCode(valuePrefix, value, lenParam, funcName, valueDisplayName, postProcSpec))
1168 elif value.type in self.returnedonly_structs:
1169 usedLines.append(self.expandStructPointerCode(valuePrefix, value, lenParam, funcName, valueDisplayName, postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001170 # Non-pointer types
1171 else:
Mark Lobodzinski85672672016-10-13 08:36:42 -06001172 # The parameter will not be processes when tagged as 'noautovalidity'
1173 # For the struct case, the struct type will not be validated, but any
Mark Lobodzinskia1368552018-05-04 16:03:28 -06001174 # members not tagged as 'noautovalidity' will be validated
Mark Lobodzinski85672672016-10-13 08:36:42 -06001175 if value.noautovalidity:
1176 # Log a diagnostic message when validation cannot be automatically generated and must be implemented manually
1177 self.logMsg('diag', 'ParameterValidation: No validation for {} {}'.format(structTypeName if structTypeName else funcName, value.name))
1178 else:
Mark Lobodzinski024b2822017-06-27 13:22:05 -06001179 vuid_name_tag = structTypeName if structTypeName is not None else funcName
Mark Lobodzinski85672672016-10-13 08:36:42 -06001180 if value.type in self.structTypes:
1181 stype = self.structTypes[value.type]
Dave Houlton413a6782018-05-22 13:01:54 -06001182 vuid = self.GetVuid(value.type, "sType-sType")
Mark Lobodzinskia16ebc72018-06-15 14:47:39 -06001183 undefined_vuid = '"kVUIDUndefined"'
1184 usedLines.append('skip |= validate_struct_type(local_data->report_data, "{}", {ppp}"{}"{pps}, "{sv}", &({}{vn}), {sv}, false, kVUIDUndefined, {});\n'.format(
Mark Lobodzinski06954ea2017-06-21 12:21:45 -06001185 funcName, valueDisplayName, valuePrefix, vuid, vn=value.name, sv=stype.value, vt=value.type, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001186 elif value.type in self.handleTypes:
1187 if not self.isHandleOptional(value, None):
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001188 usedLines.append('skip |= validate_required_handle(local_data->report_data, "{}", {ppp}"{}"{pps}, {}{});\n'.format(funcName, valueDisplayName, valuePrefix, value.name, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001189 elif value.type in self.flags:
1190 flagBitsName = value.type.replace('Flags', 'FlagBits')
1191 if not flagBitsName in self.flagBits:
Dave Houlton413a6782018-05-22 13:01:54 -06001192 vuid = self.GetVuid(vuid_name_tag, "%s-zerobitmask" % (value.name))
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001193 usedLines.append('skip |= validate_reserved_flags(local_data->report_data, "{}", {ppp}"{}"{pps}, {pf}{}, {});\n'.format(funcName, valueDisplayName, value.name, vuid, pf=valuePrefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001194 else:
Mark Lobodzinskie643fcc2017-06-26 16:27:15 -06001195 if value.isoptional:
1196 flagsRequired = 'false'
Dave Houlton413a6782018-05-22 13:01:54 -06001197 vuid = self.GetVuid(vuid_name_tag, "%s-parameter" % (value.name))
Mark Lobodzinskie643fcc2017-06-26 16:27:15 -06001198 else:
1199 flagsRequired = 'true'
Dave Houlton413a6782018-05-22 13:01:54 -06001200 vuid = self.GetVuid(vuid_name_tag, "%s-requiredbitmask" % (value.name))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001201 allFlagsName = 'All' + flagBitsName
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001202 usedLines.append('skip |= validate_flags(local_data->report_data, "{}", {ppp}"{}"{pps}, "{}", {}, {pf}{}, {}, false, {});\n'.format(funcName, valueDisplayName, flagBitsName, allFlagsName, value.name, flagsRequired, vuid, pf=valuePrefix, **postProcSpec))
Mike Schuchardt47619c82017-05-31 09:14:22 -06001203 elif value.type in self.flagBits:
1204 flagsRequired = 'false' if value.isoptional else 'true'
1205 allFlagsName = 'All' + value.type
Dave Houlton413a6782018-05-22 13:01:54 -06001206 vuid = self.GetVuid(vuid_name_tag, "%s-parameter" % (value.name))
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001207 usedLines.append('skip |= validate_flags(local_data->report_data, "{}", {ppp}"{}"{pps}, "{}", {}, {pf}{}, {}, true, {});\n'.format(funcName, valueDisplayName, value.type, allFlagsName, value.name, flagsRequired, vuid, pf=valuePrefix, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001208 elif value.isbool:
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001209 usedLines.append('skip |= validate_bool32(local_data->report_data, "{}", {ppp}"{}"{pps}, {}{});\n'.format(funcName, valueDisplayName, valuePrefix, value.name, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001210 elif value.israngedenum:
Dave Houlton413a6782018-05-22 13:01:54 -06001211 vuid = self.GetVuid(vuid_name_tag, "%s-parameter" % (value.name))
Mark Lobodzinski74cb45f2017-07-25 15:10:29 -06001212 enum_value_list = 'All%sEnums' % value.type
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001213 usedLines.append('skip |= validate_ranged_enum(local_data->report_data, "{}", {ppp}"{}"{pps}, "{}", {}, {}{}, {});\n'.format(funcName, valueDisplayName, value.type, enum_value_list, valuePrefix, value.name, vuid, **postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001214 # If this is a struct, see if it contains members that need to be checked
1215 if value.type in self.validatedStructs:
1216 memberNamePrefix = '{}{}.'.format(valuePrefix, value.name)
1217 memberDisplayNamePrefix = '{}.'.format(valueDisplayName)
Mark Lobodzinski554cf372018-05-24 11:06:00 -06001218 usedLines.append(self.expandStructCode(value.type, funcName, memberNamePrefix, memberDisplayNamePrefix, '', [], postProcSpec))
Mark Lobodzinski85672672016-10-13 08:36:42 -06001219 # Append the parameter check to the function body for the current command
1220 if usedLines:
1221 # Apply special conditional checks
1222 if value.condition:
1223 usedLines = self.genConditionalCall(valuePrefix, value.condition, usedLines)
1224 lines += usedLines
1225 elif not value.iscount:
1226 # If no expression was generated for this value, it is unreferenced by the validation function, unless
1227 # it is an array count, which is indirectly referenced for array valiadation.
1228 unused.append(value.name)
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001229 if not lines:
1230 lines.append('// No xml-driven validation\n')
Mark Lobodzinski85672672016-10-13 08:36:42 -06001231 return lines, unused
1232 #
1233 # Generate the struct member check code from the captured data
1234 def processStructMemberData(self):
1235 indent = self.incIndent(None)
1236 for struct in self.structMembers:
1237 #
1238 # The string returned by genFuncBody will be nested in an if check for a NULL pointer, so needs its indent incremented
1239 lines, unused = self.genFuncBody('{funcName}', struct.members, '{valuePrefix}', '{displayNamePrefix}', struct.name)
1240 if lines:
1241 self.validatedStructs[struct.name] = lines
1242 #
1243 # Generate the command param check code from the captured data
1244 def processCmdData(self):
1245 indent = self.incIndent(None)
1246 for command in self.commands:
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001247 just_validate = False
1248 if command.name in self.validate_only:
1249 just_validate = True
Mark Lobodzinski85672672016-10-13 08:36:42 -06001250 # Skip first parameter if it is a dispatch handle (everything except vkCreateInstance)
1251 startIndex = 0 if command.name == 'vkCreateInstance' else 1
1252 lines, unused = self.genFuncBody(command.name, command.params[startIndex:], '', '', None)
Mark Lobodzinski3f10bfe2017-08-23 15:23:23 -06001253 # Cannot validate extension dependencies for device extension APIs having a physical device as their dispatchable object
Mike Schuchardtafd00482017-08-24 15:15:02 -06001254 if (command.name in self.required_extensions) and (self.extension_type != 'device' or command.params[0].type != 'VkPhysicalDevice'):
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -06001255 ext_test = ''
Mike Schuchardtafd00482017-08-24 15:15:02 -06001256 for ext in self.required_extensions[command.name]:
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -06001257 ext_name_define = ''
1258 ext_enable_name = ''
1259 for extension in self.registry.extensions:
1260 if extension.attrib['name'] == ext:
1261 ext_name_define = extension[0][1].get('name')
1262 ext_enable_name = ext_name_define.lower()
1263 ext_enable_name = re.sub('_extension_name', '', ext_enable_name)
1264 break
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001265 ext_test = 'if (!local_data->extensions.%s) skip |= OutputExtensionError(local_data, "%s", %s);\n' % (ext_enable_name, command.name, ext_name_define)
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -06001266 lines.insert(0, ext_test)
Mark Lobodzinski85672672016-10-13 08:36:42 -06001267 if lines:
1268 cmdDef = self.getCmdDef(command) + '\n'
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001269 # For a validation-only routine, change the function declaration
1270 if just_validate:
1271 jv_def = '// Generated function handles validation only -- API definition is in non-generated source\n'
1272 jv_def += 'extern %s\n\n' % command.cdecl
1273 cmdDef = 'bool parameter_validation_' + cmdDef.split('VKAPI_CALL ',1)[1]
1274 if command.name == 'vkCreateInstance':
1275 cmdDef = cmdDef.replace('(\n', '(\n VkInstance instance,\n')
1276 cmdDef = jv_def + cmdDef
Mark Lobodzinski85672672016-10-13 08:36:42 -06001277 cmdDef += '{\n'
Mark Lobodzinski26112592017-05-30 12:02:17 -06001278
Gabríel Arthúr Péturssona3b5d672017-08-19 16:44:45 +00001279 # Add list of commands to skip -- just generate the routine signature and put the manual source in parameter_validation_utils.cpp
1280 if command.params[0].type in ["VkInstance", "VkPhysicalDevice"] or command.name == 'vkCreateInstance':
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001281 map_name = 'instance_layer_data_map'
1282 map_type = 'instance_layer_data'
1283 else:
1284 map_name = 'layer_data_map'
1285 map_type = 'layer_data'
1286 instance_param = command.params[0].name
1287 if command.name == 'vkCreateInstance':
1288 instance_param = 'instance'
1289 layer_data = ' %s *local_data = GetLayerDataPtr(get_dispatch_key(%s), %s);\n' % (map_type, instance_param, map_name)
1290 cmdDef += layer_data
1291 cmdDef += '%sbool skip = false;\n' % indent
1292 if not just_validate:
1293 if command.result != '':
Jamie Madillfc315192017-11-08 14:11:26 -05001294 if command.result == "VkResult":
1295 cmdDef += indent + '%s result = VK_ERROR_VALIDATION_FAILED_EXT;\n' % command.result
1296 elif command.result == "VkBool32":
1297 cmdDef += indent + '%s result = VK_FALSE;\n' % command.result
1298 else:
1299 raise Exception("Unknown result type: " + command.result)
1300
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001301 cmdDef += '%sstd::unique_lock<std::mutex> lock(global_lock);\n' % indent
Mark Lobodzinski85672672016-10-13 08:36:42 -06001302 for line in lines:
1303 cmdDef += '\n'
1304 if type(line) is list:
1305 for sub in line:
1306 cmdDef += indent + sub
1307 else:
1308 cmdDef += indent + line
1309 cmdDef += '\n'
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001310 if not just_validate:
1311 # Generate parameter list for manual fcn and down-chain calls
1312 params_text = ''
1313 for param in command.params:
1314 params_text += '%s, ' % param.name
1315 params_text = params_text[:-2]
1316 # Generate call to manual function if its function pointer is non-null
Mark Lobodzinski78a12a92017-08-08 14:16:51 -06001317 cmdDef += '%sPFN_manual_%s custom_func = (PFN_manual_%s)custom_functions["%s"];\n' % (indent, command.name, command.name, command.name)
1318 cmdDef += '%sif (custom_func != nullptr) {\n' % indent
1319 cmdDef += ' %sskip |= custom_func(%s);\n' % (indent, params_text)
Mark Lobodzinskid4950072017-08-01 13:02:20 -06001320 cmdDef += '%s}\n\n' % indent
1321 # Release the validation lock
1322 cmdDef += '%slock.unlock();\n' % indent
1323 # Generate skip check and down-chain call
1324 cmdDef += '%sif (!skip) {\n' % indent
1325 down_chain_call = ' %s' % indent
1326 if command.result != '':
1327 down_chain_call += ' result = '
1328 # Generate down-chain API call
1329 api_call = '%s(%s);' % (command.name, params_text)
1330 down_chain_call += 'local_data->dispatch_table.%s\n' % api_call[2:]
1331 cmdDef += down_chain_call
1332 cmdDef += '%s}\n' % indent
1333 if command.result != '':
1334 cmdDef += '%sreturn result;\n' % indent
1335 else:
1336 cmdDef += '%sreturn skip;\n' % indent
Mark Lobodzinski85672672016-10-13 08:36:42 -06001337 cmdDef += '}\n'
Mark Lobodzinskid8b7e022017-06-01 15:10:13 -06001338 self.validation.append(cmdDef)