blob: 8c6f2552560b5b28b1bc6201170b1dcb9b90a25c [file] [log] [blame]
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001#!/usr/bin/env python3
2#
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06003# VK
Tobin Ehlis92dbf802014-10-22 09:06:33 -06004#
5# Copyright (C) 2014 LunarG, Inc.
6#
7# Permission is hereby granted, free of charge, to any person obtaining a
8# copy of this software and associated documentation files (the "Software"),
9# to deal in the Software without restriction, including without limitation
10# the rights to use, copy, modify, merge, publish, distribute, sublicense,
11# and/or sell copies of the Software, and to permit persons to whom the
12# Software is furnished to do so, subject to the following conditions:
13#
14# The above copyright notice and this permission notice shall be included
15# in all copies or substantial portions of the Software.
16#
17# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
18# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
19# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
20# THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
21# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
22# FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
23# DEALINGS IN THE SOFTWARE.
24#
25# Authors:
26# Chia-I Wu <olv@lunarg.com>
27
28import sys
Tobin Ehlis6cd06372014-12-17 17:44:50 -070029import os
Tobin Ehlis92dbf802014-10-22 09:06:33 -060030
Courtney Goeltzenleuchtera8c06282015-04-14 14:55:44 -060031import vulkan
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -060032import vk_helper
Tobin Ehlis92dbf802014-10-22 09:06:33 -060033
Mike Stroyan7c2efaa2015-04-03 13:58:35 -060034def generate_get_proc_addr_check(name):
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -060035 return " if (!%s || %s[0] != 'v' || %s[1] != 'k')\n" \
36 " return NULL;" % ((name,) * 3)
Mike Stroyan7c2efaa2015-04-03 13:58:35 -060037
Tobin Ehlis92dbf802014-10-22 09:06:33 -060038class Subcommand(object):
39 def __init__(self, argv):
40 self.argv = argv
Courtney Goeltzenleuchtera8c06282015-04-14 14:55:44 -060041 self.headers = vulkan.headers
42 self.protos = vulkan.protos
Mike Stroyan3aecdb42015-04-03 17:13:23 -060043 self.no_addr = False
44 self.layer_name = ""
Tobin Ehlis92dbf802014-10-22 09:06:33 -060045
46 def run(self):
Tobin Ehlis92dbf802014-10-22 09:06:33 -060047 print(self.generate())
48
49 def generate(self):
50 copyright = self.generate_copyright()
51 header = self.generate_header()
52 body = self.generate_body()
53 footer = self.generate_footer()
54
55 contents = []
56 if copyright:
57 contents.append(copyright)
58 if header:
59 contents.append(header)
60 if body:
61 contents.append(body)
62 if footer:
63 contents.append(footer)
64
65 return "\n\n".join(contents)
66
67 def generate_copyright(self):
68 return """/* THIS FILE IS GENERATED. DO NOT EDIT. */
69
70/*
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -060071 * Vulkan
Tobin Ehlis92dbf802014-10-22 09:06:33 -060072 *
73 * Copyright (C) 2014 LunarG, Inc.
74 *
75 * Permission is hereby granted, free of charge, to any person obtaining a
76 * copy of this software and associated documentation files (the "Software"),
77 * to deal in the Software without restriction, including without limitation
78 * the rights to use, copy, modify, merge, publish, distribute, sublicense,
79 * and/or sell copies of the Software, and to permit persons to whom the
80 * Software is furnished to do so, subject to the following conditions:
81 *
82 * The above copyright notice and this permission notice shall be included
83 * in all copies or substantial portions of the Software.
84 *
85 * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
86 * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
87 * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
88 * THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
89 * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
90 * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
91 * DEALINGS IN THE SOFTWARE.
92 */"""
93
94 def generate_header(self):
95 return "\n".join(["#include <" + h + ">" for h in self.headers])
96
97 def generate_body(self):
98 pass
99
100 def generate_footer(self):
101 pass
102
103 # Return set of printf '%' qualifier and input to that qualifier
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600104 def _get_printf_params(self, vk_type, name, output_param, cpp=False):
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600105 # TODO : Need ENUM and STRUCT checks here
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600106 if vk_helper.is_type(vk_type, 'enum'):#"_TYPE" in vk_type: # TODO : This should be generic ENUM check
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -0600107 return ("%s", "string_%s(%s)" % (vk_type.replace('const ', '').strip('*'), name))
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600108 if "char*" == vk_type:
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600109 return ("%s", name)
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600110 if "uint64" in vk_type:
111 if '*' in vk_type:
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600112 return ("%lu", "*%s" % name)
113 return ("%lu", name)
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600114 if "size" in vk_type:
115 if '*' in vk_type:
Chia-I Wu54ed0792014-12-27 14:14:50 +0800116 return ("%zu", "*%s" % name)
117 return ("%zu", name)
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600118 if "float" in vk_type:
119 if '[' in vk_type: # handle array, current hard-coded to 4 (TODO: Make this dynamic)
Tobin Ehlis434db7c2015-01-10 12:42:41 -0700120 if cpp:
121 return ("[%i, %i, %i, %i]", '"[" << %s[0] << "," << %s[1] << "," << %s[2] << "," << %s[3] << "]"' % (name, name, name, name))
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600122 return ("[%f, %f, %f, %f]", "%s[0], %s[1], %s[2], %s[3]" % (name, name, name, name))
123 return ("%f", name)
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600124 if "bool" in vk_type or 'xcb_randr_crtc_t' in vk_type:
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600125 return ("%u", name)
Tobin Ehlisf29da382015-04-15 07:46:12 -0600126 if True in [t in vk_type.lower() for t in ["int", "flags", "mask", "xcb_window_t"]]:
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600127 if '[' in vk_type: # handle array, current hard-coded to 4 (TODO: Make this dynamic)
Tobin Ehlis434db7c2015-01-10 12:42:41 -0700128 if cpp:
129 return ("[%i, %i, %i, %i]", "%s[0] << %s[1] << %s[2] << %s[3]" % (name, name, name, name))
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600130 return ("[%i, %i, %i, %i]", "%s[0], %s[1], %s[2], %s[3]" % (name, name, name, name))
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600131 if '*' in vk_type:
Tobin Ehlis1336c8d2015-02-04 15:15:11 -0700132 if 'pUserData' == name:
133 return ("%i", "((pUserData == 0) ? 0 : *(pUserData))")
Jon Ashburn1f7e2d72014-12-12 16:10:45 -0700134 return ("%i", "*(%s)" % name)
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600135 return ("%i", name)
Tobin Ehlis0a1e06d2014-11-11 17:28:22 -0700136 # TODO : This is special-cased as there's only one "format" param currently and it's nice to expand it
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600137 if "VkFormat" == vk_type:
Tobin Ehlis434db7c2015-01-10 12:42:41 -0700138 if cpp:
139 return ("%p", "&%s" % name)
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600140 return ("{%s.channelFormat = %%s, %s.numericFormat = %%s}" % (name, name), "string_VK_CHANNEL_FORMAT(%s.channelFormat), string_VK_NUM_FORMAT(%s.numericFormat)" % (name, name))
Tobin Ehlisa554dc32014-11-19 15:52:46 -0700141 if output_param:
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600142 return ("%p", "(void*)*%s" % name)
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600143 if vk_helper.is_type(vk_type, 'struct') and '*' not in vk_type:
Courtney Goeltzenleuchter9a1ded82015-04-03 16:35:32 -0600144 return ("%p", "(void*)(&%s)" % name)
Jon Ashburn1f7e2d72014-12-12 16:10:45 -0700145 return ("%p", "(void*)(%s)" % name)
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600146
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700147 def _gen_layer_dbg_callback_register(self):
148 r_body = []
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600149 r_body.append('VK_LAYER_EXPORT VkResult VKAPI vkDbgRegisterMsgCallback(VkInstance instance, VK_DBG_MSG_CALLBACK_FUNCTION pfnMsgCallback, void* pUserData)')
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700150 r_body.append('{')
151 r_body.append(' // This layer intercepts callbacks')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600152 r_body.append(' VK_LAYER_DBG_FUNCTION_NODE *pNewDbgFuncNode = (VK_LAYER_DBG_FUNCTION_NODE*)malloc(sizeof(VK_LAYER_DBG_FUNCTION_NODE));')
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700153 r_body.append(' if (!pNewDbgFuncNode)')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600154 r_body.append(' return VK_ERROR_OUT_OF_MEMORY;')
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700155 r_body.append(' pNewDbgFuncNode->pfnMsgCallback = pfnMsgCallback;')
156 r_body.append(' pNewDbgFuncNode->pUserData = pUserData;')
Jon Ashburn21001f62015-02-16 08:26:50 -0700157 r_body.append(' pNewDbgFuncNode->pNext = g_pDbgFunctionHead;')
158 r_body.append(' g_pDbgFunctionHead = pNewDbgFuncNode;')
Jon Ashburne4722392015-03-03 15:07:15 -0700159 r_body.append(' // force callbacks if DebugAction hasn\'t been set already other than initial value')
Ian Elliottc9473d92015-03-05 12:28:53 -0700160 r_body.append(' if (g_actionIsDefault) {')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600161 r_body.append(' g_debugAction = VK_DBG_LAYER_ACTION_CALLBACK;')
Ian Elliottc9473d92015-03-05 12:28:53 -0700162 r_body.append(' }')
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600163 r_body.append(' VkResult result = nextTable.DbgRegisterMsgCallback(instance, pfnMsgCallback, pUserData);')
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700164 r_body.append(' return result;')
165 r_body.append('}')
166 return "\n".join(r_body)
167
168 def _gen_layer_dbg_callback_unregister(self):
169 ur_body = []
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600170 ur_body.append('VK_LAYER_EXPORT VkResult VKAPI vkDbgUnregisterMsgCallback(VkInstance instance, VK_DBG_MSG_CALLBACK_FUNCTION pfnMsgCallback)')
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700171 ur_body.append('{')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600172 ur_body.append(' VK_LAYER_DBG_FUNCTION_NODE *pTrav = g_pDbgFunctionHead;')
173 ur_body.append(' VK_LAYER_DBG_FUNCTION_NODE *pPrev = pTrav;')
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700174 ur_body.append(' while (pTrav) {')
175 ur_body.append(' if (pTrav->pfnMsgCallback == pfnMsgCallback) {')
176 ur_body.append(' pPrev->pNext = pTrav->pNext;')
Jon Ashburn21001f62015-02-16 08:26:50 -0700177 ur_body.append(' if (g_pDbgFunctionHead == pTrav)')
178 ur_body.append(' g_pDbgFunctionHead = pTrav->pNext;')
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700179 ur_body.append(' free(pTrav);')
180 ur_body.append(' break;')
181 ur_body.append(' }')
182 ur_body.append(' pPrev = pTrav;')
183 ur_body.append(' pTrav = pTrav->pNext;')
184 ur_body.append(' }')
Jon Ashburne4722392015-03-03 15:07:15 -0700185 ur_body.append(' if (g_pDbgFunctionHead == NULL)')
186 ur_body.append(' {')
187 ur_body.append(' if (g_actionIsDefault)')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600188 ur_body.append(' g_debugAction = VK_DBG_LAYER_ACTION_LOG_MSG;')
Jon Ashburne4722392015-03-03 15:07:15 -0700189 ur_body.append(' else')
Mike Stroyanb326d2c2015-04-02 11:59:05 -0600190 ur_body.append(' g_debugAction = (VK_LAYER_DBG_ACTION)(g_debugAction & ~((uint32_t)VK_DBG_LAYER_ACTION_CALLBACK));')
Jon Ashburne4722392015-03-03 15:07:15 -0700191 ur_body.append(' }')
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600192 ur_body.append(' VkResult result = nextTable.DbgUnregisterMsgCallback(instance, pfnMsgCallback);')
Tobin Ehlisc54139f2014-12-17 08:01:59 -0700193 ur_body.append(' return result;')
194 ur_body.append('}')
195 return "\n".join(ur_body)
196
Jon Ashburneb2728b2015-04-10 14:33:07 -0600197 def _gen_layer_get_global_extension_info(self, layer="Generic"):
198 ggei_body = []
199 ggei_body.append('struct extProps {')
200 ggei_body.append(' uint32_t version;')
201 ggei_body.append(' const char * const name;')
202 ggei_body.append('};')
Jon Ashburnbdcd7562015-04-14 14:12:59 -0600203 if layer == 'ObjectTracker':
204 ggei_body.append('#define LAYER_EXT_ARRAY_SIZE 4')
205 ggei_body.append('static const struct extProps layerExts[LAYER_EXT_ARRAY_SIZE] = {')
206 ggei_body.append(' // TODO what is the version?')
207 ggei_body.append(' {0x10, "%s"},' % layer)
208 ggei_body.append(' {0x10, "Validation"},')
209 ggei_body.append(' {0x10, "objTrackGetObjectCount"},')
210 ggei_body.append(' {0x10, "objTrackGetObjects"}')
211 ggei_body.append('};')
212 else:
213 ggei_body.append('#define LAYER_EXT_ARRAY_SIZE 1')
214 ggei_body.append('static const struct extProps layerExts[LAYER_EXT_ARRAY_SIZE] = {')
215 ggei_body.append(' // TODO what is the version?')
216 ggei_body.append(' {0x10, "%s"}' % layer)
217 ggei_body.append('};')
Jon Ashburneb2728b2015-04-10 14:33:07 -0600218 ggei_body.append('')
Mark Lobodzinski8bae7d42015-04-13 16:35:52 -0500219 ggei_body.append('VK_LAYER_EXPORT VkResult VKAPI vkGetGlobalExtensionInfo(VkExtensionInfoType infoType, uint32_t extensionIndex, size_t* pDataSize, void* pData)')
Jon Ashburneb2728b2015-04-10 14:33:07 -0600220 ggei_body.append('{')
221 ggei_body.append(' VkExtensionProperties *ext_props;')
222 ggei_body.append(' uint32_t *count;')
223 ggei_body.append('')
224 ggei_body.append(' if (pDataSize == NULL)')
225 ggei_body.append(' return VK_ERROR_INVALID_POINTER;')
226 ggei_body.append('')
227 ggei_body.append(' switch (infoType) {')
228 ggei_body.append(' case VK_EXTENSION_INFO_TYPE_COUNT:')
229 ggei_body.append(' *pDataSize = sizeof(uint32_t);')
230 ggei_body.append(' if (pData == NULL)')
231 ggei_body.append(' return VK_SUCCESS;')
232 ggei_body.append(' count = (uint32_t *) pData;')
233 ggei_body.append(' *count = LAYER_EXT_ARRAY_SIZE;')
234 ggei_body.append(' break;')
235 ggei_body.append(' case VK_EXTENSION_INFO_TYPE_PROPERTIES:')
236 ggei_body.append(' *pDataSize = sizeof(VkExtensionProperties);')
237 ggei_body.append(' if (pData == NULL)')
238 ggei_body.append(' return VK_SUCCESS;')
239 ggei_body.append(' if (extensionIndex >= LAYER_EXT_ARRAY_SIZE)')
240 ggei_body.append(' return VK_ERROR_INVALID_VALUE;')
241 ggei_body.append(' ext_props = (VkExtensionProperties *) pData;')
242 ggei_body.append(' ext_props->version = layerExts[extensionIndex].version;')
243 ggei_body.append(' strncpy(ext_props->extName, layerExts[extensionIndex].name,')
244 ggei_body.append(' VK_MAX_EXTENSION_NAME);')
245 ggei_body.append(" ext_props->extName[VK_MAX_EXTENSION_NAME - 1] = '\\0';")
246 ggei_body.append(' break;')
247 ggei_body.append(' default:')
248 ggei_body.append(' return VK_ERROR_INVALID_VALUE;')
249 ggei_body.append(' };')
250 ggei_body.append(' return VK_SUCCESS;')
251 ggei_body.append('}')
252 return "\n".join(ggei_body)
Jon Ashburn25566352015-04-02 12:06:28 -0600253
Tobin Ehlisf29da382015-04-15 07:46:12 -0600254 def _gen_layer_get_extension_support(self, layer="Generic"):
255 ges_body = []
256 ges_body.append('VK_LAYER_EXPORT VkResult VKAPI xglGetExtensionSupport(VkPhysicalGpu gpu, const char* pExtName)')
257 ges_body.append('{')
258 ges_body.append(' VkResult result;')
259 ges_body.append(' VkBaseLayerObject* gpuw = (VkBaseLayerObject *) gpu;')
260 ges_body.append('')
261 ges_body.append(' /* This entrypoint is NOT going to init its own dispatch table since loader calls here early */')
262 ges_body.append(' if (!strncmp(pExtName, "%s", strlen("%s")))' % (layer, layer))
263 ges_body.append(' {')
264 ges_body.append(' result = VK_SUCCESS;')
265 ges_body.append(' } else if (nextTable.GetExtensionSupport != NULL)')
266 ges_body.append(' {')
267 ges_body.append(' result = nextTable.GetExtensionSupport((VkPhysicalGpu)gpuw->nextObject, pExtName);')
268 ges_body.append(' } else')
269 ges_body.append(' {')
270 ges_body.append(' result = VK_ERROR_INVALID_EXTENSION;')
271 ges_body.append(' }')
272 ges_body.append(' return result;')
273 ges_body.append('}')
274 return "\n".join(ges_body)
275
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600276 def _generate_dispatch_entrypoints(self, qual=""):
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600277 if qual:
278 qual += " "
279
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600280 funcs = []
281 intercepted = []
282 for proto in self.protos:
Mike Stroyan88f0ecf2015-04-08 10:27:43 -0600283 if proto.name == "GetProcAddr":
284 intercepted.append(proto)
285 else:
Mike Stroyan3aecdb42015-04-03 17:13:23 -0600286 intercept = self.generate_intercept(proto, qual)
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600287 if intercept is None:
288 # fill in default intercept for certain entrypoints
289 if 'DbgRegisterMsgCallback' == proto.name:
290 intercept = self._gen_layer_dbg_callback_register()
Jon Ashburn25566352015-04-02 12:06:28 -0600291 elif 'DbgUnregisterMsgCallback' == proto.name:
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600292 intercept = self._gen_layer_dbg_callback_unregister()
Jon Ashburn25566352015-04-02 12:06:28 -0600293 elif 'GetExtensionSupport' == proto.name:
294 funcs.append(self._gen_layer_get_extension_support(self.layer_name))
Jon Ashburneb2728b2015-04-10 14:33:07 -0600295 elif 'GetGlobalExtensionInfo' == proto.name:
296 funcs.append(self._gen_layer_get_global_extension_info(self.layer_name))
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600297 if intercept is not None:
298 funcs.append(intercept)
299 intercepted.append(proto)
300
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600301 prefix="vk"
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600302 lookups = []
303 for proto in intercepted:
304 if 'WsiX11' in proto.name:
305 lookups.append("#if defined(__linux__) || defined(XCB_NVIDIA)")
306 lookups.append("if (!strcmp(name, \"%s\"))" % proto.name)
307 lookups.append(" return (void*) %s%s;" %
308 (prefix, proto.name))
309 if 'WsiX11' in proto.name:
310 lookups.append("#endif")
311
Jon Ashburneb2728b2015-04-10 14:33:07 -0600312 prefix="vk"
313 lookups = []
314 for proto in intercepted:
315 if 'WsiX11' in proto.name:
316 lookups.append("#if defined(__linux__) || defined(XCB_NVIDIA)")
317 lookups.append("if (!strcmp(name, \"%s\"))" % proto.name)
318 lookups.append(" return (void*) %s%s;" %
319 (prefix, proto.name))
320 if 'WsiX11' in proto.name:
321 lookups.append("#endif")
322
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600323 # add customized layer_intercept_proc
324 body = []
325 body.append("static inline void* layer_intercept_proc(const char *name)")
326 body.append("{")
327 body.append(generate_get_proc_addr_check("name"))
328 body.append("")
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600329 body.append(" name += 2;")
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600330 body.append(" %s" % "\n ".join(lookups))
331 body.append("")
332 body.append(" return NULL;")
333 body.append("}")
334 funcs.append("\n".join(body))
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600335 return "\n\n".join(funcs)
336
337
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700338 def _generate_extensions(self):
339 exts = []
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600340 exts.append('uint64_t objTrackGetObjectCount(VK_OBJECT_TYPE type)')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700341 exts.append('{')
Tobin Ehlisf29da382015-04-15 07:46:12 -0600342 exts.append(' return (type == VkObjectTypeAny) ? numTotalObjs : numObjs[type];')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700343 exts.append('}')
344 exts.append('')
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600345 exts.append('VkResult objTrackGetObjects(VK_OBJECT_TYPE type, uint64_t objCount, OBJTRACK_NODE* pObjNodeArray)')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700346 exts.append('{')
347 exts.append(" // This bool flags if we're pulling all objs or just a single class of objs")
Tobin Ehlisf29da382015-04-15 07:46:12 -0600348 exts.append(' bool32_t bAllObjs = (type == VkObjectTypeAny);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700349 exts.append(' // Check the count first thing')
Mark Lobodzinskie2d07a52015-01-29 08:55:56 -0600350 exts.append(' uint64_t maxObjCount = (bAllObjs) ? numTotalObjs : numObjs[type];')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700351 exts.append(' if (objCount > maxObjCount) {')
352 exts.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600353 exts.append(' sprintf(str, "OBJ ERROR : Received objTrackGetObjects() request for %lu objs, but there are only %lu objs of type %s", objCount, maxObjCount, string_VK_OBJECT_TYPE(type));')
354 exts.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, 0, 0, OBJTRACK_OBJCOUNT_MAX_EXCEEDED, "OBJTRACK", str);')
355 exts.append(' return VK_ERROR_INVALID_VALUE;')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700356 exts.append(' }')
357 exts.append(' objNode* pTrav = (bAllObjs) ? pGlobalHead : pObjectHead[type];')
Mark Lobodzinskie2d07a52015-01-29 08:55:56 -0600358 exts.append(' for (uint64_t i = 0; i < objCount; i++) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700359 exts.append(' if (!pTrav) {')
360 exts.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600361 exts.append(' sprintf(str, "OBJ INTERNAL ERROR : Ran out of %s objs! Should have %lu, but only copied %lu and not the requested %lu.", string_VK_OBJECT_TYPE(type), maxObjCount, i, objCount);')
362 exts.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, 0, 0, OBJTRACK_INTERNAL_ERROR, "OBJTRACK", str);')
363 exts.append(' return VK_ERROR_UNKNOWN;')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700364 exts.append(' }')
365 exts.append(' memcpy(&pObjNodeArray[i], pTrav, sizeof(OBJTRACK_NODE));')
366 exts.append(' pTrav = (bAllObjs) ? pTrav->pNextGlobal : pTrav->pNextObj;')
367 exts.append(' }')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600368 exts.append(' return VK_SUCCESS;')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700369 exts.append('}')
Tobin Ehlisf29da382015-04-15 07:46:12 -0600370 return "\n".join(exts)
371
Jon Ashburn301c5f02015-04-06 10:58:22 -0600372 def _generate_layer_gpa_function(self, extensions=[]):
373 func_body = []
374 func_body.append("VK_LAYER_EXPORT void* VKAPI vkGetProcAddr(VkPhysicalGpu gpu, const char* funcName)\n"
375 "{\n"
376 " VkBaseLayerObject* gpuw = (VkBaseLayerObject *) gpu;\n"
377 " void* addr;\n"
378 " if (gpu == NULL)\n"
379 " return NULL;\n"
380 " pCurObj = gpuw;\n"
381 " loader_platform_thread_once(&tabOnce, init%s);\n\n"
382 " addr = layer_intercept_proc(funcName);\n"
383 " if (addr)\n"
384 " return addr;" % self.layer_name)
385
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700386 if 0 != len(extensions):
387 for ext_name in extensions:
Chia-I Wu7461fcf2014-12-27 15:16:07 +0800388 func_body.append(' else if (!strncmp("%s", funcName, sizeof("%s")))\n'
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700389 ' return %s;' % (ext_name, ext_name, ext_name))
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600390 func_body.append(" else {\n"
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600391 " if (gpuw->pGPA == NULL)\n"
392 " return NULL;\n"
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600393 " return gpuw->pGPA((VkPhysicalGpu)gpuw->nextObject, funcName);\n"
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600394 " }\n"
395 "}\n")
396 return "\n".join(func_body)
397
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600398 def _generate_layer_initialization(self, init_opts=False, prefix='vk', lockname=None):
399 func_body = ["#include \"vk_dispatch_table_helper.h\""]
Jon Ashburn21001f62015-02-16 08:26:50 -0700400 func_body.append('static void init%s(void)\n'
Mike Stroyan3aecdb42015-04-03 17:13:23 -0600401 '{\n' % self.layer_name)
Jon Ashburn21001f62015-02-16 08:26:50 -0700402 if init_opts:
403 func_body.append(' const char *strOpt;')
Mike Stroyan3aecdb42015-04-03 17:13:23 -0600404 func_body.append(' // initialize %s options' % self.layer_name)
405 func_body.append(' getLayerOptionEnum("%sReportLevel", (uint32_t *) &g_reportingLevel);' % self.layer_name)
406 func_body.append(' g_actionIsDefault = getLayerOptionEnum("%sDebugAction", (uint32_t *) &g_debugAction);' % self.layer_name)
Jon Ashburn21001f62015-02-16 08:26:50 -0700407 func_body.append('')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600408 func_body.append(' if (g_debugAction & VK_DBG_LAYER_ACTION_LOG_MSG)')
Jon Ashburn21001f62015-02-16 08:26:50 -0700409 func_body.append(' {')
Mike Stroyan3aecdb42015-04-03 17:13:23 -0600410 func_body.append(' strOpt = getLayerOption("%sLogFilename");' % self.layer_name)
Jon Ashburn21001f62015-02-16 08:26:50 -0700411 func_body.append(' if (strOpt)')
412 func_body.append(' {')
413 func_body.append(' g_logFile = fopen(strOpt, "w");')
414 func_body.append(' }')
415 func_body.append(' if (g_logFile == NULL)')
416 func_body.append(' g_logFile = stdout;')
417 func_body.append(' }')
418 func_body.append('')
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600419 func_body.append(' PFN_vkGetProcAddr fpNextGPA;\n'
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600420 ' fpNextGPA = pCurObj->pGPA;\n'
Jon Ashburn21001f62015-02-16 08:26:50 -0700421 ' assert(fpNextGPA);\n')
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600422
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600423 func_body.append(" layer_initialize_dispatch_table(&nextTable, fpNextGPA, (VkPhysicalGpu) pCurObj->nextObject);")
Tobin Ehlis84a8a9b2015-02-23 14:09:16 -0700424 if lockname is not None:
425 func_body.append(" if (!%sLockInitialized)" % lockname)
426 func_body.append(" {")
427 func_body.append(" // TODO/TBD: Need to delete this mutex sometime. How???")
428 func_body.append(" loader_platform_thread_create_mutex(&%sLock);" % lockname)
429 func_body.append(" %sLockInitialized = 1;" % lockname)
430 func_body.append(" }")
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600431 func_body.append("}\n")
432 return "\n".join(func_body)
433
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600434 def _generate_layer_initialization_with_lock(self, prefix='vk'):
435 func_body = ["#include \"vk_dispatch_table_helper.h\""]
Jon Ashburn21001f62015-02-16 08:26:50 -0700436 func_body.append('static void init%s(void)\n'
Ian Elliott81ac44c2015-01-13 17:52:38 -0700437 '{\n'
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600438 ' PFN_vkGetProcAddr fpNextGPA;\n'
Ian Elliott81ac44c2015-01-13 17:52:38 -0700439 ' fpNextGPA = pCurObj->pGPA;\n'
Mike Stroyanb326d2c2015-04-02 11:59:05 -0600440 ' assert(fpNextGPA);\n' % self.layer_name)
Ian Elliott81ac44c2015-01-13 17:52:38 -0700441
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600442 func_body.append(" layer_initialize_dispatch_table(&nextTable, fpNextGPA, (VkPhysicalGpu) pCurObj->nextObject);\n")
Ian Elliott81ac44c2015-01-13 17:52:38 -0700443 func_body.append(" if (!printLockInitialized)")
444 func_body.append(" {")
445 func_body.append(" // TODO/TBD: Need to delete this mutex sometime. How???")
446 func_body.append(" loader_platform_thread_create_mutex(&printLock);")
447 func_body.append(" printLockInitialized = 1;")
448 func_body.append(" }")
449 func_body.append("}\n")
450 return "\n".join(func_body)
451
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600452class LayerFuncsSubcommand(Subcommand):
453 def generate_header(self):
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600454 return '#include <vkLayer.h>\n#include "loader.h"'
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600455
456 def generate_body(self):
Mike Stroyan3aecdb42015-04-03 17:13:23 -0600457 return self._generate_dispatch_entrypoints("static")
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600458
459class LayerDispatchSubcommand(Subcommand):
460 def generate_header(self):
461 return '#include "layer_wrappers.h"'
462
463 def generate_body(self):
Jon Ashburn21001f62015-02-16 08:26:50 -0700464 return self._generate_layer_initialization()
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600465
466class GenericLayerSubcommand(Subcommand):
467 def generate_header(self):
Jon Ashburn301c5f02015-04-06 10:58:22 -0600468 return '#include <stdio.h>\n#include <stdlib.h>\n#include <string.h>\n#include "loader_platform.h"\n#include "vkLayer.h"\n//The following is #included again to catch certain OS-specific functions being used:\n#include "loader_platform.h"\n\n#include "layers_config.h"\n#include "layers_msg.h"\n\nstatic VkLayerDispatchTable nextTable;\nstatic VkBaseLayerObject *pCurObj;\n\nstatic LOADER_PLATFORM_THREAD_ONCE_DECLARATION(tabOnce);'
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600469
Mike Stroyan3aecdb42015-04-03 17:13:23 -0600470 def generate_intercept(self, proto, qual):
Jon Ashburneb2728b2015-04-10 14:33:07 -0600471 if proto.name in [ 'DbgRegisterMsgCallback', 'DbgUnregisterMsgCallback' , 'GetExtensionSupport', 'GetGlobalExtensionInfo']:
Mike Stroyan723913e2015-04-03 14:39:16 -0600472 # use default version
473 return None
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600474 decl = proto.c_func(prefix="vk", attr="VKAPI")
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600475 ret_val = ''
476 stmt = ''
477 funcs = []
478 if proto.ret != "void":
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600479 ret_val = "VkResult result = "
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600480 stmt = " return result;\n"
481 if 'WsiX11AssociateConnection' == proto.name:
482 funcs.append("#if defined(__linux__) || defined(XCB_NVIDIA)")
483 if proto.name == "EnumerateLayers":
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600484 funcs.append('%s%s\n'
485 '{\n'
486 ' char str[1024];\n'
487 ' if (gpu != NULL) {\n'
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600488 ' sprintf(str, "At start of layered %s\\n");\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600489 ' layerCbMsg(VK_DBG_MSG_UNKNOWN, VK_VALIDATION_LEVEL_0, gpu, 0, 0, (char *) "GENERIC", (char *) str);\n'
Jon Ashburn630e44f2015-04-08 21:33:34 -0600490 ' pCurObj = (VkBaseLayerObject *) gpu;\n'
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600491 ' loader_platform_thread_once(&tabOnce, init%s);\n'
492 ' %snextTable.%s;\n'
493 ' sprintf(str, "Completed layered %s\\n");\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600494 ' layerCbMsg(VK_DBG_MSG_UNKNOWN, VK_VALIDATION_LEVEL_0, gpu, 0, 0, (char *) "GENERIC", (char *) str);\n'
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600495 ' fflush(stdout);\n'
496 ' %s'
497 ' } else {\n'
498 ' if (pOutLayerCount == NULL || pOutLayers == NULL || pOutLayers[0] == NULL)\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600499 ' return VK_ERROR_INVALID_POINTER;\n'
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600500 ' // This layer compatible with all GPUs\n'
501 ' *pOutLayerCount = 1;\n'
502 ' strncpy((char *) pOutLayers[0], "%s", maxStringSize);\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600503 ' return VK_SUCCESS;\n'
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600504 ' }\n'
Jon Ashburn630e44f2015-04-08 21:33:34 -0600505 '}' % (qual, decl, proto.name, self.layer_name, ret_val, proto.c_call(), proto.name, stmt, self.layer_name))
506 else:
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600507 funcs.append('%s%s\n'
508 '{\n'
509 ' %snextTable.%s;\n'
510 '%s'
511 '}' % (qual, decl, ret_val, proto.c_call(), stmt))
Mike Stroyan7c2efaa2015-04-03 13:58:35 -0600512 if 'WsiX11QueuePresent' == proto.name:
513 funcs.append("#endif")
514 return "\n\n".join(funcs)
515
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600516 def generate_body(self):
Mike Stroyan3aecdb42015-04-03 17:13:23 -0600517 self.layer_name = "Generic"
518 body = [self._generate_layer_initialization(True),
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600519 self._generate_dispatch_entrypoints("VK_LAYER_EXPORT"),
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600520 self._generate_layer_gpa_function()]
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600521
522 return "\n\n".join(body)
523
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600524class APIDumpSubcommand(Subcommand):
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600525 def generate_header(self):
Tobin Ehlis0c68c9c2014-11-24 15:46:55 -0700526 header_txt = []
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600527 header_txt.append('#include <fstream>')
528 header_txt.append('#include <iostream>')
529 header_txt.append('#include <string>')
530 header_txt.append('')
531 header_txt.append('static std::ofstream fileStream;')
532 header_txt.append('static std::string fileName = "vk_apidump.txt";')
533 header_txt.append('std::ostream* outputStream = NULL;')
534 header_txt.append('void ConfigureOutputStream(bool writeToFile, bool flushAfterWrite)')
535 header_txt.append('{')
536 header_txt.append(' if(writeToFile)')
537 header_txt.append(' {')
538 header_txt.append(' fileStream.open(fileName);')
539 header_txt.append(' outputStream = &fileStream;')
540 header_txt.append(' }')
541 header_txt.append(' else')
542 header_txt.append(' {')
543 header_txt.append(' outputStream = &std::cout;')
544 header_txt.append(' }')
545 header_txt.append('')
546 header_txt.append(' if(flushAfterWrite)')
547 header_txt.append(' {')
548 header_txt.append(' outputStream->sync_with_stdio(true);')
549 header_txt.append(' }')
550 header_txt.append(' else')
551 header_txt.append(' {')
552 header_txt.append(' outputStream->sync_with_stdio(false);')
553 header_txt.append(' }')
554 header_txt.append('}')
555 header_txt.append('')
Ian Elliott81ac44c2015-01-13 17:52:38 -0700556 header_txt.append('#include "loader_platform.h"')
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600557 header_txt.append('#include "vkLayer.h"')
558 header_txt.append('#include "vk_struct_string_helper_cpp.h"')
559 header_txt.append('')
Ian Elliott20f06872015-02-12 17:08:34 -0700560 header_txt.append('// The following is #included again to catch certain OS-specific functions being used:')
561 header_txt.append('#include "loader_platform.h"')
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600562 header_txt.append('')
Jon Ashburn301c5f02015-04-06 10:58:22 -0600563 header_txt.append('static VkLayerDispatchTable nextTable;')
564 header_txt.append('static VkBaseLayerObject *pCurObj;')
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600565 header_txt.append('')
Ian Elliott81ac44c2015-01-13 17:52:38 -0700566 header_txt.append('static LOADER_PLATFORM_THREAD_ONCE_DECLARATION(tabOnce);')
567 header_txt.append('static int printLockInitialized = 0;')
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600568 header_txt.append('static loader_platform_thread_mutex printLock;')
569 header_txt.append('')
Tobin Ehlis0c68c9c2014-11-24 15:46:55 -0700570 header_txt.append('#define MAX_TID 513')
Ian Elliott81ac44c2015-01-13 17:52:38 -0700571 header_txt.append('static loader_platform_thread_id tidMapping[MAX_TID] = {0};')
Tobin Ehlis0c68c9c2014-11-24 15:46:55 -0700572 header_txt.append('static uint32_t maxTID = 0;')
573 header_txt.append('// Map actual TID to an index value and return that index')
574 header_txt.append('// This keeps TIDs in range from 0-MAX_TID and simplifies compares between runs')
575 header_txt.append('static uint32_t getTIDIndex() {')
Ian Elliott81ac44c2015-01-13 17:52:38 -0700576 header_txt.append(' loader_platform_thread_id tid = loader_platform_get_thread_id();')
Tobin Ehlis0c68c9c2014-11-24 15:46:55 -0700577 header_txt.append(' for (uint32_t i = 0; i < maxTID; i++) {')
578 header_txt.append(' if (tid == tidMapping[i])')
579 header_txt.append(' return i;')
580 header_txt.append(' }')
581 header_txt.append(" // Don't yet have mapping, set it and return newly set index")
Ian Elliott81ac44c2015-01-13 17:52:38 -0700582 header_txt.append(' uint32_t retVal = (uint32_t) maxTID;')
Tobin Ehlis0c68c9c2014-11-24 15:46:55 -0700583 header_txt.append(' tidMapping[maxTID++] = tid;')
584 header_txt.append(' assert(maxTID < MAX_TID);')
585 header_txt.append(' return retVal;')
586 header_txt.append('}')
587 return "\n".join(header_txt)
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600588
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600589 def generate_init(self):
590 func_body = []
591 func_body.append('#include "vk_dispatch_table_helper.h"')
592 func_body.append('#include "layers_config.h"')
593 func_body.append('')
594 func_body.append('static void init%s(void)' % self.layer_name)
595 func_body.append('{')
596 func_body.append(' using namespace StreamControl;')
597 func_body.append('')
598 func_body.append(' char const*const writeToFileStr = getLayerOption("APIDumpFile");')
599 func_body.append(' bool writeToFile = false;')
600 func_body.append(' if(writeToFileStr != NULL)')
601 func_body.append(' {')
602 func_body.append(' if(strcmp(writeToFileStr, "TRUE") == 0)')
603 func_body.append(' {')
604 func_body.append(' writeToFile = true;')
605 func_body.append(' }')
606 func_body.append(' else if(strcmp(writeToFileStr, "FALSE") == 0)')
607 func_body.append(' {')
608 func_body.append(' writeToFile = false;')
609 func_body.append(' }')
610 func_body.append(' }')
611 func_body.append('')
612 func_body.append(' char const*const noAddrStr = getLayerOption("APIDumpNoAddr");')
613 func_body.append(' if(noAddrStr != NULL)')
614 func_body.append(' {')
615 func_body.append(' if(strcmp(noAddrStr, "FALSE") == 0)')
616 func_body.append(' {')
617 func_body.append(' StreamControl::writeAddress = true;')
618 func_body.append(' }')
619 func_body.append(' else if(strcmp(noAddrStr, "TRUE") == 0)')
620 func_body.append(' {')
621 func_body.append(' StreamControl::writeAddress = false;')
622 func_body.append(' }')
623 func_body.append(' }')
624 func_body.append('')
625 func_body.append(' char const*const flushAfterWriteStr = getLayerOption("APIDumpFlush");')
626 func_body.append(' bool flushAfterWrite = false;')
627 func_body.append(' if(flushAfterWriteStr != NULL)')
628 func_body.append(' {')
629 func_body.append(' if(strcmp(flushAfterWriteStr, "TRUE") == 0)')
630 func_body.append(' {')
631 func_body.append(' flushAfterWrite = true;')
632 func_body.append(' }')
633 func_body.append(' else if(strcmp(flushAfterWriteStr, "FALSE") == 0)')
634 func_body.append(' {')
635 func_body.append(' flushAfterWrite = false;')
636 func_body.append(' }')
637 func_body.append(' }')
638 func_body.append('')
639 func_body.append(' ConfigureOutputStream(writeToFile, flushAfterWrite);')
640 func_body.append('')
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600641 func_body.append(' PFN_vkGetProcAddr fpNextGPA;')
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600642 func_body.append(' fpNextGPA = pCurObj->pGPA;')
643 func_body.append(' assert(fpNextGPA);')
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600644 func_body.append(' layer_initialize_dispatch_table(&nextTable, fpNextGPA, (VkPhysicalGpu) pCurObj->nextObject);')
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600645 func_body.append('')
646 func_body.append(' if (!printLockInitialized)')
647 func_body.append(' {')
648 func_body.append(' // TODO/TBD: Need to delete this mutex sometime. How???')
649 func_body.append(' loader_platform_thread_create_mutex(&printLock);')
650 func_body.append(' printLockInitialized = 1;')
651 func_body.append(' }')
652 func_body.append('}')
653 func_body.append('')
654 return "\n".join(func_body)
Tobin Ehlis434db7c2015-01-10 12:42:41 -0700655
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600656 def generate_intercept(self, proto, qual):
Jon Ashburneb2728b2015-04-10 14:33:07 -0600657 if proto.name in [ 'GetGlobalExtensionInfo']:
658 return None
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600659 decl = proto.c_func(prefix="vk", attr="VKAPI")
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600660 ret_val = ''
661 stmt = ''
662 funcs = []
663 sp_param_dict = {} # Store 'index' for struct param to print, or an name of binding "Count" param for array to print
664 create_params = 0 # Num of params at end of function that are created and returned as output values
665 if 'WsiX11CreatePresentableImage' in proto.name or 'AllocDescriptorSets' in proto.name:
666 create_params = -2
667 elif 'Create' in proto.name or 'Alloc' in proto.name or 'MapMemory' in proto.name:
668 create_params = -1
669 if proto.ret != "void":
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600670 ret_val = "VkResult result = "
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600671 stmt = " return result;\n"
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600672 f_open = 'loader_platform_thread_lock_mutex(&printLock);\n '
673 log_func = ' if (StreamControl::writeAddress == true) {'
674 log_func += '\n (*outputStream) << "t{" << getTIDIndex() << "} vk%s(' % proto.name
675 log_func_no_addr = '\n (*outputStream) << "t{" << getTIDIndex() << "} vk%s(' % proto.name
676 f_close = '\n loader_platform_thread_unlock_mutex(&printLock);'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600677 pindex = 0
678 prev_count_name = ''
679 for p in proto.params:
680 cp = False
681 if 0 != create_params:
682 # If this is any of the N last params of the func, treat as output
683 for y in range(-1, create_params-1, -1):
684 if p.name == proto.params[y].name:
685 cp = True
686 (pft, pfi) = self._get_printf_params(p.ty, p.name, cp, cpp=True)
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600687 log_func += '%s = " << %s << ", ' % (p.name, pfi)
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600688 if "%p" == pft:
689 log_func_no_addr += '%s = address, ' % (p.name)
690 else:
691 log_func_no_addr += '%s = " << %s << ", ' % (p.name, pfi)
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -0600692 if prev_count_name != '' and (prev_count_name.replace('Count', '')[1:] in p.name or 'slotCount' == prev_count_name):
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600693 sp_param_dict[pindex] = prev_count_name
694 elif 'pDescriptorSets' == p.name and proto.params[-1].name == 'pCount':
695 sp_param_dict[pindex] = '*pCount'
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -0600696 elif 'Wsi' not in proto.name and vk_helper.is_type(p.ty.strip('*').replace('const ', ''), 'struct'):
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600697 sp_param_dict[pindex] = 'index'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600698 if p.name.endswith('Count'):
699 if '*' in p.ty:
700 prev_count_name = "*%s" % p.name
701 else:
702 prev_count_name = p.name
Jon Ashburneb2728b2015-04-10 14:33:07 -0600703 pindex += 1
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600704 log_func = log_func.strip(', ')
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600705 log_func_no_addr = log_func_no_addr.strip(', ')
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600706 if proto.ret != "void":
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600707 log_func += ') = " << string_VkResult((VkResult)result) << endl'
708 log_func_no_addr += ') = " << string_VkResult((VkResult)result) << endl'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600709 else:
710 log_func += ')\\n"'
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600711 log_func_no_addr += ')\\n"'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600712 log_func += ';'
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600713 log_func_no_addr += ';'
714 log_func += '\n }\n else {%s;\n }' % log_func_no_addr;
Tobin Ehlisf29da382015-04-15 07:46:12 -0600715 #print("Proto %s has param_dict: %s" % (proto.name, sp_param_dict))
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600716 if len(sp_param_dict) > 0:
717 i_decl = False
718 log_func += '\n string tmp_str;'
719 for sp_index in sp_param_dict:
Tobin Ehlisf29da382015-04-15 07:46:12 -0600720 #print("sp_index: %s" % str(sp_index))
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600721 if 'index' == sp_param_dict[sp_index]:
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -0600722 cis_print_func = 'vk_print_%s' % (proto.params[sp_index].ty.replace('const ', '').strip('*').lower())
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600723 local_name = proto.params[sp_index].name
724 if '*' not in proto.params[sp_index].ty:
725 local_name = '&%s' % proto.params[sp_index].name
726 log_func += '\n if (%s) {' % (local_name)
727 log_func += '\n tmp_str = %s(%s, " ");' % (cis_print_func, local_name)
728 log_func += '\n (*outputStream) << " %s (" << %s << ")" << endl << tmp_str << endl;' % (local_name, local_name)
729 log_func += '\n }'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600730 else: # We have a count value stored to iterate over an array
731 print_cast = ''
732 print_func = ''
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -0600733 if vk_helper.is_type(proto.params[sp_index].ty.strip('*').replace('const ', ''), 'struct'):
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600734 print_cast = '&'
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -0600735 print_func = 'vk_print_%s' % proto.params[sp_index].ty.replace('const ', '').strip('*').lower()
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600736 else:
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600737 print_cast = ''
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600738 print_func = 'string_convert_helper'
739 #cis_print_func = 'tmp_str = string_convert_helper((void*)%s[i], " ");' % proto.params[sp_index].name
740 cis_print_func = 'tmp_str = %s(%s%s[i], " ");' % (print_func, print_cast, proto.params[sp_index].name)
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600741 if not i_decl:
742 log_func += '\n uint32_t i;'
743 i_decl = True
744 log_func += '\n for (i = 0; i < %s; i++) {' % (sp_param_dict[sp_index])
745 log_func += '\n %s' % (cis_print_func)
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600746 log_func += '\n (*outputStream) << " %s[" << i << "] (" << %s%s[i] << ")" << endl << tmp_str << endl;' % (proto.params[sp_index].name, '&', proto.params[sp_index].name)
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600747 log_func += '\n }'
748 if 'WsiX11AssociateConnection' == proto.name:
749 funcs.append("#if defined(__linux__) || defined(XCB_NVIDIA)")
750 if proto.name == "EnumerateLayers":
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600751 c_call = proto.c_call().replace("(" + proto.params[0].name, "((VkPhysicalGpu)gpuw->nextObject", 1)
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600752 funcs.append('%s%s\n'
753 '{\n'
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600754 ' using namespace StreamControl;\n'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600755 ' if (gpu != NULL) {\n'
Jon Ashburn630e44f2015-04-08 21:33:34 -0600756 ' pCurObj = (VkBaseLayerObject *) gpu;\n'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600757 ' loader_platform_thread_once(&tabOnce, init%s);\n'
758 ' %snextTable.%s;\n'
759 ' %s %s %s\n'
760 ' %s'
761 ' } else {\n'
762 ' if (pOutLayerCount == NULL || pOutLayers == NULL || pOutLayers[0] == NULL)\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600763 ' return VK_ERROR_INVALID_POINTER;\n'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600764 ' // This layer compatible with all GPUs\n'
765 ' *pOutLayerCount = 1;\n'
766 ' strncpy((char *) pOutLayers[0], "%s", maxStringSize);\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600767 ' return VK_SUCCESS;\n'
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600768 ' }\n'
Jon Ashburn630e44f2015-04-08 21:33:34 -0600769 '}' % (qual, decl, self.layer_name, ret_val, proto.c_call(),f_open, log_func, f_close, stmt, self.layer_name))
Jon Ashburn25566352015-04-02 12:06:28 -0600770 elif 'GetExtensionSupport' == proto.name:
Jon Ashburn25566352015-04-02 12:06:28 -0600771 funcs.append('%s%s\n'
772 '{\n'
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600773 ' VkResult result;\n'
Jon Ashburn25566352015-04-02 12:06:28 -0600774 ' /* This entrypoint is NOT going to init its own dispatch table since loader calls here early */\n'
775 ' if (!strncmp(pExtName, "%s", strlen("%s")))\n'
776 ' {\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600777 ' result = VK_SUCCESS;\n'
Jon Ashburn25566352015-04-02 12:06:28 -0600778 ' } else if (nextTable.GetExtensionSupport != NULL)\n'
779 ' {\n'
780 ' result = nextTable.%s;\n'
781 ' %s %s %s\n'
782 ' } else\n'
783 ' {\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600784 ' result = VK_ERROR_INVALID_EXTENSION;\n'
Jon Ashburn25566352015-04-02 12:06:28 -0600785 ' }\n'
786 '%s'
Jon Ashburn630e44f2015-04-08 21:33:34 -0600787 '}' % (qual, decl, self.layer_name, self.layer_name, proto.c_call(), f_open, log_func, f_close, stmt))
Tobin Ehlis293ff632015-04-15 13:20:56 -0600788# elif 'vkphysicalgpu' == proto.params[0].ty.lower():
789# c_call = proto.c_call().replace("(" + proto.params[0].name, "((VkPhysicalGpu)gpuw->nextObject", 1)
790# funcs.append('%s%s\n'
791# '{\n'
792# ' using namespace StreamControl;\n'
793# ' VkBaseLayerObject* gpuw = (VkBaseLayerObject *) %s;\n'
794# ' pCurObj = gpuw;\n'
795# ' loader_platform_thread_once(&tabOnce, init%s);\n'
796# ' %snextTable.%s;\n'
797# ' %s%s%s\n'
798# '%s'
799# '}' % (qual, decl, proto.params[0].name, self.layer_name, ret_val, c_call, f_open, log_func, f_close, stmt))
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600800 else:
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600801 funcs.append('%s%s\n'
802 '{\n'
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600803 ' using namespace StreamControl;\n'
Jon Ashburn301c5f02015-04-06 10:58:22 -0600804 ' %snextTable.%s;\n'
805 ' %s%s%s\n'
806 '%s'
807 '}' % (qual, decl, ret_val, proto.c_call(), f_open, log_func, f_close, stmt))
Mike Stroyan2ad66f12015-04-03 17:45:53 -0600808 if 'WsiX11QueuePresent' == proto.name:
809 funcs.append("#endif")
810 return "\n\n".join(funcs)
811
Tobin Ehlis434db7c2015-01-10 12:42:41 -0700812 def generate_body(self):
Tobin Ehlis4a636a12015-04-09 09:19:36 -0600813 self.layer_name = "APIDump"
814 body = [self.generate_init(),
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600815 self._generate_dispatch_entrypoints("VK_LAYER_EXPORT"),
Mike Stroyan3aecdb42015-04-03 17:13:23 -0600816 self._generate_layer_gpa_function()]
Tobin Ehlis434db7c2015-01-10 12:42:41 -0700817 return "\n\n".join(body)
818
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600819class ObjectTrackerSubcommand(Subcommand):
820 def generate_header(self):
821 header_txt = []
Ian Elliott81ac44c2015-01-13 17:52:38 -0700822 header_txt.append('#include <stdio.h>\n#include <stdlib.h>\n#include <string.h>\n#include "loader_platform.h"')
Jon Ashburn301c5f02015-04-06 10:58:22 -0600823 header_txt.append('#include "object_track.h"\n\nstatic VkLayerDispatchTable nextTable;\nstatic VkBaseLayerObject *pCurObj;')
Ian Elliott20f06872015-02-12 17:08:34 -0700824 header_txt.append('// The following is #included again to catch certain OS-specific functions being used:')
825 header_txt.append('#include "loader_platform.h"')
Jon Ashburn7a2da4f2015-02-17 11:03:12 -0700826 header_txt.append('#include "layers_config.h"')
Jon Ashburn21001f62015-02-16 08:26:50 -0700827 header_txt.append('#include "layers_msg.h"')
Ian Elliott81ac44c2015-01-13 17:52:38 -0700828 header_txt.append('static LOADER_PLATFORM_THREAD_ONCE_DECLARATION(tabOnce);')
829 header_txt.append('static long long unsigned int object_track_index = 0;')
Tobin Ehlis84a8a9b2015-02-23 14:09:16 -0700830 header_txt.append('static int objLockInitialized = 0;')
831 header_txt.append('static loader_platform_thread_mutex objLock;')
Jon Ashburn21001f62015-02-16 08:26:50 -0700832 header_txt.append('')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700833 header_txt.append('// We maintain a "Global" list which links every object and a')
834 header_txt.append('// per-Object list which just links objects of a given type')
835 header_txt.append('// The object node has both pointers so the actual nodes are shared between the two lists')
836 header_txt.append('typedef struct _objNode {')
837 header_txt.append(' OBJTRACK_NODE obj;')
838 header_txt.append(' struct _objNode *pNextObj;')
839 header_txt.append(' struct _objNode *pNextGlobal;')
840 header_txt.append('} objNode;')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -0500841 header_txt.append('')
842 header_txt.append('static objNode *pObjectHead[VkNumObjectType] = {0};')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700843 header_txt.append('static objNode *pGlobalHead = NULL;')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -0500844 header_txt.append('static uint64_t numObjs[VkNumObjectType] = {0};')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700845 header_txt.append('static uint64_t numTotalObjs = 0;')
Courtney Goeltzenleuchter304a1f82015-04-07 16:23:00 -0600846 header_txt.append('static uint32_t maxMemReferences = 0;')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -0500847 header_txt.append('')
848 header_txt.append('// For each Queue\'s doubly linked-list of mem refs')
849 header_txt.append('typedef struct _OT_MEM_INFO {')
850 header_txt.append(' VkGpuMemory mem;')
851 header_txt.append(' struct _OT_MEM_INFO *pNextMI;')
852 header_txt.append(' struct _OT_MEM_INFO *pPrevMI;')
853 header_txt.append('')
854 header_txt.append('} OT_MEM_INFO;')
855 header_txt.append('')
856 header_txt.append('// Track Queue information')
857 header_txt.append('typedef struct _OT_QUEUE_INFO {')
858 header_txt.append(' OT_MEM_INFO *pMemRefList;')
859 header_txt.append(' struct _OT_QUEUE_INFO *pNextQI;')
860 header_txt.append(' VkQueue queue;')
861 header_txt.append(' uint32_t refCount;')
862 header_txt.append('} OT_QUEUE_INFO;')
863 header_txt.append('')
864 header_txt.append('// Global list of QueueInfo structures, one per queue')
865 header_txt.append('static OT_QUEUE_INFO *g_pQueueInfo;')
866 header_txt.append('')
867 header_txt.append('// Add new queue to head of global queue list')
868 header_txt.append('static void addQueueInfo(VkQueue queue)')
869 header_txt.append('{')
870 header_txt.append(' OT_QUEUE_INFO *pQueueInfo = malloc(sizeof(OT_QUEUE_INFO));')
871 header_txt.append(' memset(pQueueInfo, 0, sizeof(OT_QUEUE_INFO));')
872 header_txt.append(' pQueueInfo->queue = queue;')
873 header_txt.append('')
874 header_txt.append(' if (pQueueInfo != NULL) {')
875 header_txt.append(' pQueueInfo->pNextQI = g_pQueueInfo;')
876 header_txt.append(' g_pQueueInfo = pQueueInfo;')
877 header_txt.append(' }')
878 header_txt.append(' else {')
879 header_txt.append(' char str[1024];')
880 header_txt.append(' sprintf(str, "ERROR: VK_ERROR_OUT_OF_MEMORY -- could not allocate memory for Queue Information");')
881 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, queue, 0, OBJTRACK_INTERNAL_ERROR, "OBJTRACK", str);')
882 header_txt.append(' }')
883 header_txt.append('}')
884 header_txt.append('')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -0500885 header_txt.append('// Destroy memRef lists and free all memory')
886 header_txt.append('static void destroyQueueMemRefLists()')
887 header_txt.append('{')
888 header_txt.append(' OT_QUEUE_INFO *pQueueInfo = g_pQueueInfo;')
889 header_txt.append(' OT_QUEUE_INFO *pDelQueueInfo = NULL;')
890 header_txt.append(' while (pQueueInfo != NULL) {')
891 header_txt.append(' OT_MEM_INFO *pMemInfo = pQueueInfo->pMemRefList;')
892 header_txt.append(' while (pMemInfo != NULL) {')
893 header_txt.append(' OT_MEM_INFO *pDelMemInfo = pMemInfo;')
894 header_txt.append(' pMemInfo = pMemInfo->pNextMI;')
895 header_txt.append(' free(pDelMemInfo);')
896 header_txt.append(' }')
897 header_txt.append(' pDelQueueInfo = pQueueInfo;')
898 header_txt.append(' pQueueInfo = pQueueInfo->pNextQI;')
899 header_txt.append(' free(pDelQueueInfo);')
900 header_txt.append(' }')
901 header_txt.append('}')
902 header_txt.append('')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700903 header_txt.append('// Debug function to print global list and each individual object list')
904 header_txt.append('static void ll_print_lists()')
905 header_txt.append('{')
906 header_txt.append(' objNode* pTrav = pGlobalHead;')
907 header_txt.append(' printf("=====GLOBAL OBJECT LIST (%lu total objs):\\n", numTotalObjs);')
908 header_txt.append(' while (pTrav) {')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600909 header_txt.append(' printf(" ObjNode (%p) w/ %s obj %p has pNextGlobal %p\\n", (void*)pTrav, string_VK_OBJECT_TYPE(pTrav->obj.objType), pTrav->obj.pObj, (void*)pTrav->pNextGlobal);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700910 header_txt.append(' pTrav = pTrav->pNextGlobal;')
911 header_txt.append(' }')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -0500912 header_txt.append(' for (uint32_t i = 0; i < VkNumObjectType; i++) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700913 header_txt.append(' pTrav = pObjectHead[i];')
914 header_txt.append(' if (pTrav) {')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600915 header_txt.append(' printf("=====%s OBJECT LIST (%lu objs):\\n", string_VK_OBJECT_TYPE(pTrav->obj.objType), numObjs[i]);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700916 header_txt.append(' while (pTrav) {')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600917 header_txt.append(' printf(" ObjNode (%p) w/ %s obj %p has pNextObj %p\\n", (void*)pTrav, string_VK_OBJECT_TYPE(pTrav->obj.objType), pTrav->obj.pObj, (void*)pTrav->pNextObj);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700918 header_txt.append(' pTrav = pTrav->pNextObj;')
919 header_txt.append(' }')
920 header_txt.append(' }')
921 header_txt.append(' }')
922 header_txt.append('}')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600923 header_txt.append('static void ll_insert_obj(void* pObj, VK_OBJECT_TYPE objType) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700924 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600925 header_txt.append(' sprintf(str, "OBJ[%llu] : CREATE %s object %p", object_track_index++, string_VK_OBJECT_TYPE(objType), (void*)pObj);')
926 header_txt.append(' layerCbMsg(VK_DBG_MSG_UNKNOWN, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_NONE, "OBJTRACK", str);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700927 header_txt.append(' objNode* pNewObjNode = (objNode*)malloc(sizeof(objNode));')
928 header_txt.append(' pNewObjNode->obj.pObj = pObj;')
929 header_txt.append(' pNewObjNode->obj.objType = objType;')
Mark Lobodzinski01552702015-02-03 10:06:31 -0600930 header_txt.append(' pNewObjNode->obj.status = OBJSTATUS_NONE;')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700931 header_txt.append(' pNewObjNode->obj.numUses = 0;')
932 header_txt.append(' // insert at front of global list')
933 header_txt.append(' pNewObjNode->pNextGlobal = pGlobalHead;')
934 header_txt.append(' pGlobalHead = pNewObjNode;')
935 header_txt.append(' // insert at front of object list')
936 header_txt.append(' pNewObjNode->pNextObj = pObjectHead[objType];')
937 header_txt.append(' pObjectHead[objType] = pNewObjNode;')
938 header_txt.append(' // increment obj counts')
939 header_txt.append(' numObjs[objType]++;')
940 header_txt.append(' numTotalObjs++;')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600941 header_txt.append(' //sprintf(str, "OBJ_STAT : %lu total objs & %lu %s objs.", numTotalObjs, numObjs[objType], string_VK_OBJECT_TYPE(objType));')
Chia-I Wudf142a32014-12-16 11:02:06 +0800942 header_txt.append(' if (0) ll_print_lists();')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700943 header_txt.append('}')
944 header_txt.append('// Traverse global list and return type for given object')
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -0600945 header_txt.append('static VK_OBJECT_TYPE ll_get_obj_type(VkObject object) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700946 header_txt.append(' objNode *pTrav = pGlobalHead;')
947 header_txt.append(' while (pTrav) {')
948 header_txt.append(' if (pTrav->obj.pObj == object)')
949 header_txt.append(' return pTrav->obj.objType;')
950 header_txt.append(' pTrav = pTrav->pNextGlobal;')
951 header_txt.append(' }')
952 header_txt.append(' char str[1024];')
953 header_txt.append(' sprintf(str, "Attempting look-up on obj %p but it is NOT in the global list!", (void*)object);')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600954 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, object, 0, OBJTRACK_MISSING_OBJECT, "OBJTRACK", str);')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -0500955 header_txt.append(' return VkObjectTypeUnknown;')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700956 header_txt.append('}')
Chia-I Wudf142a32014-12-16 11:02:06 +0800957 header_txt.append('#if 0')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600958 header_txt.append('static uint64_t ll_get_obj_uses(void* pObj, VK_OBJECT_TYPE objType) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700959 header_txt.append(' objNode *pTrav = pObjectHead[objType];')
960 header_txt.append(' while (pTrav) {')
961 header_txt.append(' if (pTrav->obj.pObj == pObj) {')
962 header_txt.append(' return pTrav->obj.numUses;')
963 header_txt.append(' }')
964 header_txt.append(' pTrav = pTrav->pNextObj;')
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600965 header_txt.append(' }')
966 header_txt.append(' return 0;')
967 header_txt.append('}')
Chia-I Wudf142a32014-12-16 11:02:06 +0800968 header_txt.append('#endif')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600969 header_txt.append('static void ll_increment_use_count(void* pObj, VK_OBJECT_TYPE objType) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700970 header_txt.append(' objNode *pTrav = pObjectHead[objType];')
Tobin Ehlis92dbf802014-10-22 09:06:33 -0600971 header_txt.append(' while (pTrav) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700972 header_txt.append(' if (pTrav->obj.pObj == pObj) {')
973 header_txt.append(' pTrav->obj.numUses++;')
974 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600975 header_txt.append(' sprintf(str, "OBJ[%llu] : USING %s object %p (%lu total uses)", object_track_index++, string_VK_OBJECT_TYPE(objType), (void*)pObj, pTrav->obj.numUses);')
976 header_txt.append(' layerCbMsg(VK_DBG_MSG_UNKNOWN, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_NONE, "OBJTRACK", str);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700977 header_txt.append(' return;')
978 header_txt.append(' }')
979 header_txt.append(' pTrav = pTrav->pNextObj;')
980 header_txt.append(' }')
981 header_txt.append(' // If we do not find obj, insert it and then increment count')
982 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600983 header_txt.append(' sprintf(str, "Unable to increment count for obj %p, will add to list as %s type and increment count", pObj, string_VK_OBJECT_TYPE(objType));')
984 header_txt.append(' layerCbMsg(VK_DBG_MSG_WARNING, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_UNKNOWN_OBJECT, "OBJTRACK", str);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700985 header_txt.append('')
986 header_txt.append(' ll_insert_obj(pObj, objType);')
987 header_txt.append(' ll_increment_use_count(pObj, objType);')
988 header_txt.append('}')
989 header_txt.append('// We usually do not know Obj type when we destroy it so have to fetch')
990 header_txt.append('// Type from global list w/ ll_destroy_obj()')
991 header_txt.append('// and then do the full removal from both lists w/ ll_remove_obj_type()')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -0600992 header_txt.append('static void ll_remove_obj_type(void* pObj, VK_OBJECT_TYPE objType) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -0700993 header_txt.append(' objNode *pTrav = pObjectHead[objType];')
994 header_txt.append(' objNode *pPrev = pObjectHead[objType];')
995 header_txt.append(' while (pTrav) {')
996 header_txt.append(' if (pTrav->obj.pObj == pObj) {')
997 header_txt.append(' pPrev->pNextObj = pTrav->pNextObj;')
998 header_txt.append(' // update HEAD of Obj list as needed')
999 header_txt.append(' if (pObjectHead[objType] == pTrav)')
1000 header_txt.append(' pObjectHead[objType] = pTrav->pNextObj;')
1001 header_txt.append(' assert(numObjs[objType] > 0);')
1002 header_txt.append(' numObjs[objType]--;')
1003 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001004 header_txt.append(' sprintf(str, "OBJ[%llu] : DESTROY %s object %p", object_track_index++, string_VK_OBJECT_TYPE(objType), (void*)pObj);')
1005 header_txt.append(' layerCbMsg(VK_DBG_MSG_UNKNOWN, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_NONE, "OBJTRACK", str);')
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001006 header_txt.append(' return;')
1007 header_txt.append(' }')
1008 header_txt.append(' pPrev = pTrav;')
Tobin Ehlis3c26a542014-11-18 11:28:33 -07001009 header_txt.append(' pTrav = pTrav->pNextObj;')
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001010 header_txt.append(' }')
Tobin Ehlis3c26a542014-11-18 11:28:33 -07001011 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001012 header_txt.append(' sprintf(str, "OBJ INTERNAL ERROR : Obj %p was in global list but not in %s list", pObj, string_VK_OBJECT_TYPE(objType));')
1013 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_INTERNAL_ERROR, "OBJTRACK", str);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -07001014 header_txt.append('}')
1015 header_txt.append('// Parse global list to find obj type, then remove obj from obj type list, finally')
1016 header_txt.append('// remove obj from global list')
Mark Lobodzinskie2d07a52015-01-29 08:55:56 -06001017 header_txt.append('static void ll_destroy_obj(void* pObj) {')
Tobin Ehlis3c26a542014-11-18 11:28:33 -07001018 header_txt.append(' objNode *pTrav = pGlobalHead;')
1019 header_txt.append(' objNode *pPrev = pGlobalHead;')
1020 header_txt.append(' while (pTrav) {')
1021 header_txt.append(' if (pTrav->obj.pObj == pObj) {')
1022 header_txt.append(' ll_remove_obj_type(pObj, pTrav->obj.objType);')
1023 header_txt.append(' pPrev->pNextGlobal = pTrav->pNextGlobal;')
1024 header_txt.append(' // update HEAD of global list if needed')
1025 header_txt.append(' if (pGlobalHead == pTrav)')
1026 header_txt.append(' pGlobalHead = pTrav->pNextGlobal;')
Tobin Ehlis3c26a542014-11-18 11:28:33 -07001027 header_txt.append(' assert(numTotalObjs > 0);')
1028 header_txt.append(' numTotalObjs--;')
1029 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001030 header_txt.append(' sprintf(str, "OBJ_STAT Removed %s obj %p that was used %lu times (%lu total objs remain & %lu %s objs).", string_VK_OBJECT_TYPE(pTrav->obj.objType), pTrav->obj.pObj, pTrav->obj.numUses, numTotalObjs, numObjs[pTrav->obj.objType], string_VK_OBJECT_TYPE(pTrav->obj.objType));')
1031 header_txt.append(' layerCbMsg(VK_DBG_MSG_UNKNOWN, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_NONE, "OBJTRACK", str);')
Tobin Ehlis84a8a9b2015-02-23 14:09:16 -07001032 header_txt.append(' free(pTrav);')
Tobin Ehlis3c26a542014-11-18 11:28:33 -07001033 header_txt.append(' return;')
1034 header_txt.append(' }')
1035 header_txt.append(' pPrev = pTrav;')
1036 header_txt.append(' pTrav = pTrav->pNextGlobal;')
1037 header_txt.append(' }')
1038 header_txt.append(' char str[1024];')
1039 header_txt.append(' sprintf(str, "Unable to remove obj %p. Was it created? Has it already been destroyed?", pObj);')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001040 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_DESTROY_OBJECT_FAILED, "OBJTRACK", str);')
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001041 header_txt.append('}')
Tobin Ehlis235c20e2015-01-16 08:56:30 -07001042 header_txt.append('// Set selected flag state for an object node')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001043 header_txt.append('static void set_status(void* pObj, VK_OBJECT_TYPE objType, OBJECT_STATUS status_flag) {')
Mark Lobodzinskid11fcca2015-02-09 10:16:20 -06001044 header_txt.append(' if (pObj != NULL) {')
1045 header_txt.append(' objNode *pTrav = pObjectHead[objType];')
1046 header_txt.append(' while (pTrav) {')
1047 header_txt.append(' if (pTrav->obj.pObj == pObj) {')
1048 header_txt.append(' pTrav->obj.status |= status_flag;')
1049 header_txt.append(' return;')
1050 header_txt.append(' }')
1051 header_txt.append(' pTrav = pTrav->pNextObj;')
Tobin Ehlis235c20e2015-01-16 08:56:30 -07001052 header_txt.append(' }')
Mark Lobodzinskid11fcca2015-02-09 10:16:20 -06001053 header_txt.append(' // If we do not find it print an error')
1054 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001055 header_txt.append(' sprintf(str, "Unable to set status for non-existent object %p of %s type", pObj, string_VK_OBJECT_TYPE(objType));')
1056 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_UNKNOWN_OBJECT, "OBJTRACK", str);')
Mark Lobodzinskid11fcca2015-02-09 10:16:20 -06001057 header_txt.append(' }');
Tobin Ehlis235c20e2015-01-16 08:56:30 -07001058 header_txt.append('}')
1059 header_txt.append('')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001060 header_txt.append('// Track selected state for an object node')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -05001061 header_txt.append('static void track_object_status(void* pObj, VkStateBindPoint stateBindPoint) {')
1062 header_txt.append(' objNode *pTrav = pObjectHead[VkObjectTypeCmdBuffer];')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001063 header_txt.append('')
1064 header_txt.append(' while (pTrav) {')
1065 header_txt.append(' if (pTrav->obj.pObj == pObj) {')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001066 header_txt.append(' if (stateBindPoint == VK_STATE_BIND_VIEWPORT) {')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001067 header_txt.append(' pTrav->obj.status |= OBJSTATUS_VIEWPORT_BOUND;')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001068 header_txt.append(' } else if (stateBindPoint == VK_STATE_BIND_RASTER) {')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001069 header_txt.append(' pTrav->obj.status |= OBJSTATUS_RASTER_BOUND;')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001070 header_txt.append(' } else if (stateBindPoint == VK_STATE_BIND_COLOR_BLEND) {')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001071 header_txt.append(' pTrav->obj.status |= OBJSTATUS_COLOR_BLEND_BOUND;')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001072 header_txt.append(' } else if (stateBindPoint == VK_STATE_BIND_DEPTH_STENCIL) {')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001073 header_txt.append(' pTrav->obj.status |= OBJSTATUS_DEPTH_STENCIL_BOUND;')
1074 header_txt.append(' }')
1075 header_txt.append(' return;')
1076 header_txt.append(' }')
1077 header_txt.append(' pTrav = pTrav->pNextObj;')
1078 header_txt.append(' }')
1079 header_txt.append(' // If we do not find it print an error')
1080 header_txt.append(' char str[1024];')
1081 header_txt.append(' sprintf(str, "Unable to track status for non-existent Command Buffer object %p", pObj);')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001082 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_UNKNOWN_OBJECT, "OBJTRACK", str);')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001083 header_txt.append('}')
1084 header_txt.append('')
1085 header_txt.append('// Reset selected flag state for an object node')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001086 header_txt.append('static void reset_status(void* pObj, VK_OBJECT_TYPE objType, OBJECT_STATUS status_flag) {')
Tobin Ehlis235c20e2015-01-16 08:56:30 -07001087 header_txt.append(' objNode *pTrav = pObjectHead[objType];')
1088 header_txt.append(' while (pTrav) {')
1089 header_txt.append(' if (pTrav->obj.pObj == pObj) {')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001090 header_txt.append(' pTrav->obj.status &= ~status_flag;')
1091 header_txt.append(' return;')
1092 header_txt.append(' }')
1093 header_txt.append(' pTrav = pTrav->pNextObj;')
1094 header_txt.append(' }')
1095 header_txt.append(' // If we do not find it print an error')
1096 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001097 header_txt.append(' sprintf(str, "Unable to reset status for non-existent object %p of %s type", pObj, string_VK_OBJECT_TYPE(objType));')
1098 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_UNKNOWN_OBJECT, "OBJTRACK", str);')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001099 header_txt.append('}')
1100 header_txt.append('')
1101 header_txt.append('// Check object status for selected flag state')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001102 header_txt.append('static bool32_t validate_status(void* pObj, VK_OBJECT_TYPE objType, OBJECT_STATUS status_mask, OBJECT_STATUS status_flag, VK_DBG_MSG_TYPE error_level, OBJECT_TRACK_ERROR error_code, char* fail_msg) {')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001103 header_txt.append(' objNode *pTrav = pObjectHead[objType];')
1104 header_txt.append(' while (pTrav) {')
1105 header_txt.append(' if (pTrav->obj.pObj == pObj) {')
Mark Lobodzinski4186e712015-02-03 11:52:26 -06001106 header_txt.append(' if ((pTrav->obj.status & status_mask) != status_flag) {')
Tobin Ehlis235c20e2015-01-16 08:56:30 -07001107 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001108 header_txt.append(' sprintf(str, "OBJECT VALIDATION WARNING: %s object %p: %s", string_VK_OBJECT_TYPE(objType), (void*)pObj, fail_msg);')
1109 header_txt.append(' layerCbMsg(error_level, VK_VALIDATION_LEVEL_0, pObj, 0, error_code, "OBJTRACK", str);')
1110 header_txt.append(' return VK_FALSE;')
Tobin Ehlis235c20e2015-01-16 08:56:30 -07001111 header_txt.append(' }')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001112 header_txt.append(' return VK_TRUE;')
Tobin Ehlis235c20e2015-01-16 08:56:30 -07001113 header_txt.append(' }')
1114 header_txt.append(' pTrav = pTrav->pNextObj;')
1115 header_txt.append(' }')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -05001116 header_txt.append(' if (objType != VkObjectTypePresentableImageMemory) {')
Mark Lobodzinskiacb93682015-03-05 12:39:33 -06001117 header_txt.append(' // If we do not find it print an error')
1118 header_txt.append(' char str[1024];')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001119 header_txt.append(' sprintf(str, "Unable to obtain status for non-existent object %p of %s type", pObj, string_VK_OBJECT_TYPE(objType));')
1120 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, pObj, 0, OBJTRACK_UNKNOWN_OBJECT, "OBJTRACK", str);')
Mark Lobodzinskiacb93682015-03-05 12:39:33 -06001121 header_txt.append(' }')
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001122 header_txt.append(' return VK_FALSE;')
Tobin Ehlis235c20e2015-01-16 08:56:30 -07001123 header_txt.append('}')
Mark Lobodzinski01552702015-02-03 10:06:31 -06001124 header_txt.append('')
1125 header_txt.append('static void validate_draw_state_flags(void* pObj) {')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -05001126 header_txt.append(' validate_status((void*)pObj, VkObjectTypeCmdBuffer, OBJSTATUS_VIEWPORT_BOUND, OBJSTATUS_VIEWPORT_BOUND, VK_DBG_MSG_ERROR, OBJTRACK_VIEWPORT_NOT_BOUND, "Viewport object not bound to this command buffer");')
1127 header_txt.append(' validate_status((void*)pObj, VkObjectTypeCmdBuffer, OBJSTATUS_RASTER_BOUND, OBJSTATUS_RASTER_BOUND, VK_DBG_MSG_ERROR, OBJTRACK_RASTER_NOT_BOUND, "Raster object not bound to this command buffer");')
1128 header_txt.append(' validate_status((void*)pObj, VkObjectTypeCmdBuffer, OBJSTATUS_COLOR_BLEND_BOUND, OBJSTATUS_COLOR_BLEND_BOUND, VK_DBG_MSG_UNKNOWN, OBJTRACK_COLOR_BLEND_NOT_BOUND, "Color-blend object not bound to this command buffer");')
1129 header_txt.append(' validate_status((void*)pObj, VkObjectTypeCmdBuffer, OBJSTATUS_DEPTH_STENCIL_BOUND, OBJSTATUS_DEPTH_STENCIL_BOUND, VK_DBG_MSG_UNKNOWN, OBJTRACK_DEPTH_STENCIL_NOT_BOUND, "Depth-stencil object not bound to this command buffer");')
1130 header_txt.append('}')
1131 header_txt.append('')
Courtney Goeltzenleuchter304a1f82015-04-07 16:23:00 -06001132 header_txt.append('static void setGpuQueueInfoState(void *pData) {')
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -05001133 header_txt.append(' maxMemReferences = ((VkPhysicalGpuQueueProperties *)pData)->maxMemReferences;')
Mark Lobodzinskie1d3f0c2015-02-09 10:20:53 -06001134 header_txt.append('}')
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001135 return "\n".join(header_txt)
1136
Mike Stroyan3aecdb42015-04-03 17:13:23 -06001137 def generate_intercept(self, proto, qual):
Jon Ashburneb2728b2015-04-10 14:33:07 -06001138 if proto.name in [ 'DbgRegisterMsgCallback', 'DbgUnregisterMsgCallback', 'GetGlobalExtensionInfo' ]:
Mike Stroyan723913e2015-04-03 14:39:16 -06001139 # use default version
1140 return None
Tobin Ehlisf29da382015-04-15 07:46:12 -06001141 obj_type_mapping = {base_t : base_t.replace("Vk", "VkObjectType") for base_t in vulkan.object_type_list}
Mike Stroyan723913e2015-04-03 14:39:16 -06001142 # For the various "super-types" we have to use function to distinguish sub type
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -06001143 for obj_type in ["VK_BASE_OBJECT", "VK_OBJECT", "VK_DYNAMIC_STATE_OBJECT", "VkObject", "VkBaseObject"]:
Mike Stroyan723913e2015-04-03 14:39:16 -06001144 obj_type_mapping[obj_type] = "ll_get_obj_type(object)"
1145
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001146 decl = proto.c_func(prefix="vk", attr="VKAPI")
Mike Stroyan723913e2015-04-03 14:39:16 -06001147 param0_name = proto.params[0].name
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -06001148 p0_type = proto.params[0].ty.strip('*').replace('const ', '')
Mike Stroyan723913e2015-04-03 14:39:16 -06001149 create_line = ''
1150 destroy_line = ''
1151 funcs = []
1152 # Special cases for API funcs that don't use an object as first arg
Jon Ashburneb2728b2015-04-10 14:33:07 -06001153 if True in [no_use_proto in proto.name for no_use_proto in ['GlobalOption', 'CreateInstance', 'QueueSubmit', 'QueueAddMemReference', 'QueueRemoveMemReference', 'QueueWaitIdle', 'GetGlobalExtensionInfo', 'CreateDevice', 'GetGpuInfo', 'QueueSignalSemaphore', 'QueueWaitSemaphore', 'WsiX11QueuePresent']]:
Mike Stroyan723913e2015-04-03 14:39:16 -06001154 using_line = ''
1155 else:
1156 using_line = ' loader_platform_thread_lock_mutex(&objLock);\n'
1157 using_line += ' ll_increment_use_count((void*)%s, %s);\n' % (param0_name, obj_type_mapping[p0_type])
1158 using_line += ' loader_platform_thread_unlock_mutex(&objLock);\n'
1159 if 'QueueSubmit' in proto.name:
Tobin Ehlisf29da382015-04-15 07:46:12 -06001160 using_line += ' set_status((void*)fence, VkObjectTypeFence, OBJSTATUS_FENCE_IS_SUBMITTED);\n'
Courtney Goeltzenleuchter8d49dbd2015-04-07 17:13:38 -06001161 using_line += ' // TODO: Fix for updated memory reference mechanism\n'
1162 using_line += ' // validate_memory_mapping_status(pMemRefs, memRefCount);\n'
1163 using_line += ' // validate_mem_ref_count(memRefCount);\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001164 elif 'GetFenceStatus' in proto.name:
1165 using_line += ' // Warn if submitted_flag is not set\n'
Tobin Ehlisf29da382015-04-15 07:46:12 -06001166 using_line += ' validate_status((void*)fence, VkObjectTypeFence, OBJSTATUS_FENCE_IS_SUBMITTED, OBJSTATUS_FENCE_IS_SUBMITTED, VK_DBG_MSG_ERROR, OBJTRACK_INVALID_FENCE, "Status Requested for Unsubmitted Fence");\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001167 elif 'EndCommandBuffer' in proto.name:
Tobin Ehlisf29da382015-04-15 07:46:12 -06001168 using_line += ' reset_status((void*)cmdBuffer, VkObjectTypeCmdBuffer, (OBJSTATUS_VIEWPORT_BOUND |\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001169 using_line += ' OBJSTATUS_RASTER_BOUND |\n'
1170 using_line += ' OBJSTATUS_COLOR_BLEND_BOUND |\n'
1171 using_line += ' OBJSTATUS_DEPTH_STENCIL_BOUND));\n'
1172 elif 'CmdBindDynamicStateObject' in proto.name:
1173 using_line += ' track_object_status((void*)cmdBuffer, stateBindPoint);\n'
1174 elif 'CmdDraw' in proto.name:
1175 using_line += ' validate_draw_state_flags((void *)cmdBuffer);\n'
1176 elif 'MapMemory' in proto.name:
Tobin Ehlisf29da382015-04-15 07:46:12 -06001177 using_line += ' set_status((void*)mem, VkObjectTypeGpuMemory, OBJSTATUS_GPU_MEM_MAPPED);\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001178 elif 'UnmapMemory' in proto.name:
Tobin Ehlisf29da382015-04-15 07:46:12 -06001179 using_line += ' reset_status((void*)mem, VkObjectTypeGpuMemory, OBJSTATUS_GPU_MEM_MAPPED);\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001180 if 'AllocDescriptor' in proto.name: # Allocates array of DSs
1181 create_line = ' for (uint32_t i = 0; i < *pCount; i++) {\n'
1182 create_line += ' loader_platform_thread_lock_mutex(&objLock);\n'
Tobin Ehlisf29da382015-04-15 07:46:12 -06001183 create_line += ' ll_insert_obj((void*)pDescriptorSets[i], VkObjectTypeDescriptorSet);\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001184 create_line += ' loader_platform_thread_unlock_mutex(&objLock);\n'
1185 create_line += ' }\n'
1186 elif 'CreatePresentableImage' in proto.name:
1187 create_line = ' loader_platform_thread_lock_mutex(&objLock);\n'
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -06001188 create_line += ' ll_insert_obj((void*)*%s, %s);\n' % (proto.params[-2].name, obj_type_mapping[proto.params[-2].ty.strip('*').replace('const ', '')])
Tobin Ehlisf29da382015-04-15 07:46:12 -06001189 create_line += ' ll_insert_obj((void*)*pMem, VkObjectTypePresentableImageMemory);\n'
Tobin Ehlis293ff632015-04-15 13:20:56 -06001190
Mike Stroyan723913e2015-04-03 14:39:16 -06001191 create_line += ' loader_platform_thread_unlock_mutex(&objLock);\n'
1192 elif 'Create' in proto.name or 'Alloc' in proto.name:
1193 create_line = ' loader_platform_thread_lock_mutex(&objLock);\n'
Courtney Goeltzenleuchterddcb6192015-04-14 18:48:46 -06001194 create_line += ' ll_insert_obj((void*)*%s, %s);\n' % (proto.params[-1].name, obj_type_mapping[proto.params[-1].ty.strip('*').replace('const ', '')])
Mike Stroyan723913e2015-04-03 14:39:16 -06001195 create_line += ' loader_platform_thread_unlock_mutex(&objLock);\n'
1196 if 'DestroyObject' in proto.name:
1197 destroy_line = ' loader_platform_thread_lock_mutex(&objLock);\n'
1198 destroy_line += ' ll_destroy_obj((void*)%s);\n' % (param0_name)
1199 destroy_line += ' loader_platform_thread_unlock_mutex(&objLock);\n'
1200 using_line = ''
1201 else:
1202 if 'Destroy' in proto.name or 'Free' in proto.name:
1203 destroy_line = ' loader_platform_thread_lock_mutex(&objLock);\n'
1204 destroy_line += ' ll_destroy_obj((void*)%s);\n' % (param0_name)
1205 destroy_line += ' loader_platform_thread_unlock_mutex(&objLock);\n'
1206 using_line = ''
1207 if 'DestroyDevice' in proto.name:
1208 destroy_line += ' // Report any remaining objects in LL\n objNode *pTrav = pGlobalHead;\n while (pTrav) {\n'
Tobin Ehlisf29da382015-04-15 07:46:12 -06001209 destroy_line += ' if (pTrav->obj.objType == VkObjectTypePresentableImageMemory) {\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001210 destroy_line += ' objNode *pDel = pTrav;\n'
1211 destroy_line += ' pTrav = pTrav->pNextGlobal;\n'
1212 destroy_line += ' ll_destroy_obj((void*)(pDel->obj.pObj));\n'
1213 destroy_line += ' } else {\n'
1214 destroy_line += ' char str[1024];\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001215 destroy_line += ' sprintf(str, "OBJ ERROR : %s object %p has not been destroyed (was used %lu times).", string_VK_OBJECT_TYPE(pTrav->obj.objType), pTrav->obj.pObj, pTrav->obj.numUses);\n'
1216 destroy_line += ' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, device, 0, OBJTRACK_OBJECT_LEAK, "OBJTRACK", str);\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001217 destroy_line += ' pTrav = pTrav->pNextGlobal;\n'
1218 destroy_line += ' }\n'
1219 destroy_line += ' }\n'
Mark Lobodzinski93fdbd22015-04-09 12:09:45 -05001220 destroy_line += ' // Clean up Queue\'s MemRef Linked Lists\n'
1221 destroy_line += ' destroyQueueMemRefLists();\n'
1222 if 'GetDeviceQueue' in proto.name:
1223 destroy_line = ' addQueueInfo(*pQueue);\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001224 ret_val = ''
1225 stmt = ''
1226 if proto.ret != "void":
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -06001227 ret_val = "VkResult result = "
Mike Stroyan723913e2015-04-03 14:39:16 -06001228 stmt = " return result;\n"
1229 if 'WsiX11AssociateConnection' == proto.name:
1230 funcs.append("#if defined(__linux__) || defined(XCB_NVIDIA)")
1231 if proto.name == "EnumerateLayers":
Mike Stroyan723913e2015-04-03 14:39:16 -06001232 funcs.append('%s%s\n'
1233 '{\n'
1234 ' if (gpu != NULL) {\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001235 ' %s'
Jon Ashburn630e44f2015-04-08 21:33:34 -06001236 ' pCurObj = (VkBaseLayerObject *) gpu;\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001237 ' loader_platform_thread_once(&tabOnce, init%s);\n'
1238 ' %snextTable.%s;\n'
1239 ' %s%s'
1240 ' %s'
1241 ' } else {\n'
1242 ' if (pOutLayerCount == NULL || pOutLayers == NULL || pOutLayers[0] == NULL)\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001243 ' return VK_ERROR_INVALID_POINTER;\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001244 ' // This layer compatible with all GPUs\n'
1245 ' *pOutLayerCount = 1;\n'
1246 ' strncpy((char *) pOutLayers[0], "%s", maxStringSize);\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001247 ' return VK_SUCCESS;\n'
Mike Stroyan723913e2015-04-03 14:39:16 -06001248 ' }\n'
Jon Ashburn630e44f2015-04-08 21:33:34 -06001249 '}' % (qual, decl, using_line, self.layer_name, ret_val, proto.c_call(), create_line, destroy_line, stmt, self.layer_name))
Jon Ashburn25566352015-04-02 12:06:28 -06001250 elif 'GetExtensionSupport' == proto.name:
Jon Ashburn25566352015-04-02 12:06:28 -06001251 funcs.append('%s%s\n'
1252 '{\n'
Courtney Goeltzenleuchter382489d2015-04-10 08:34:15 -06001253 ' VkResult result;\n'
Jon Ashburn25566352015-04-02 12:06:28 -06001254 ' /* This entrypoint is NOT going to init its own dispatch table since loader calls this early */\n'
1255 ' if (!strncmp(pExtName, "%s", strlen("%s")) ||\n'
1256 ' !strncmp(pExtName, "objTrackGetObjectCount", strlen("objTrackGetObjectCount")) ||\n'
1257 ' !strncmp(pExtName, "objTrackGetObjects", strlen("objTrackGetObjects")))\n'
1258 ' {\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001259 ' result = VK_SUCCESS;\n'
Jon Ashburn25566352015-04-02 12:06:28 -06001260 ' } else if (nextTable.GetExtensionSupport != NULL)\n'
1261 ' {\n'
1262 ' %s'
1263 ' result = nextTable.%s;\n'
1264 ' } else\n'
1265 ' {\n'
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001266 ' result = VK_ERROR_INVALID_EXTENSION;\n'
Jon Ashburn25566352015-04-02 12:06:28 -06001267 ' }\n'
1268 '%s'
Jon Ashburn630e44f2015-04-08 21:33:34 -06001269 '}' % (qual, decl, self.layer_name, self.layer_name, using_line, proto.c_call(), stmt))
1270 elif 'GetGpuInfo' in proto.name:
1271 gpu_state = ' if (infoType == VK_INFO_TYPE_PHYSICAL_GPU_QUEUE_PROPERTIES) {\n'
1272 gpu_state += ' if (pData != NULL) {\n'
1273 gpu_state += ' setGpuQueueInfoState(pData);\n'
1274 gpu_state += ' }\n'
1275 gpu_state += ' }\n'
1276 funcs.append('%s%s\n'
1277 '{\n'
1278 '%s'
1279 ' pCurObj = (VkBaseLayerObject *) gpu;\n'
1280 ' loader_platform_thread_once(&tabOnce, init%s);\n'
1281 ' %snextTable.%s;\n'
1282 '%s%s'
1283 '%s'
1284 '%s'
1285 '}' % (qual, decl, using_line, self.layer_name, ret_val, proto.c_call(), create_line, destroy_line, gpu_state, stmt))
1286 else:
Mike Stroyan723913e2015-04-03 14:39:16 -06001287 funcs.append('%s%s\n'
1288 '{\n'
1289 '%s'
1290 ' %snextTable.%s;\n'
1291 '%s%s'
1292 '%s'
1293 '}' % (qual, decl, using_line, ret_val, proto.c_call(), create_line, destroy_line, stmt))
Mike Stroyan723913e2015-04-03 14:39:16 -06001294 if 'WsiX11QueuePresent' == proto.name:
1295 funcs.append("#endif")
1296 return "\n\n".join(funcs)
1297
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001298 def generate_body(self):
Mike Stroyan3aecdb42015-04-03 17:13:23 -06001299 self.layer_name = "ObjectTracker"
1300 body = [self._generate_layer_initialization(True, lockname='obj'),
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001301 self._generate_dispatch_entrypoints("VK_LAYER_EXPORT"),
Tobin Ehlis3c26a542014-11-18 11:28:33 -07001302 self._generate_extensions(),
Mike Stroyan2ad66f12015-04-03 17:45:53 -06001303 self._generate_layer_gpa_function(extensions=['objTrackGetObjectCount', 'objTrackGetObjects'])]
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001304
1305 return "\n\n".join(body)
Courtney Goeltzenleuchtere6094fc2014-11-18 10:40:29 -07001306
Mike Stroyanb326d2c2015-04-02 11:59:05 -06001307class ThreadingSubcommand(Subcommand):
1308 def generate_header(self):
1309 header_txt = []
1310 header_txt.append('#include <stdio.h>')
1311 header_txt.append('#include <stdlib.h>')
1312 header_txt.append('#include <string.h>')
1313 header_txt.append('#include <unordered_map>')
1314 header_txt.append('#include "loader_platform.h"')
1315 header_txt.append('#include "vkLayer.h"')
1316 header_txt.append('#include "threading.h"')
1317 header_txt.append('#include "layers_config.h"')
1318 header_txt.append('#include "vk_enum_validate_helper.h"')
1319 header_txt.append('#include "vk_struct_validate_helper.h"')
1320 header_txt.append('//The following is #included again to catch certain OS-specific functions being used:')
1321 header_txt.append('#include "loader_platform.h"\n')
1322 header_txt.append('#include "layers_msg.h"\n')
1323 header_txt.append('static VkLayerDispatchTable nextTable;')
1324 header_txt.append('static VkBaseLayerObject *pCurObj;')
1325 header_txt.append('static LOADER_PLATFORM_THREAD_ONCE_DECLARATION(tabOnce);\n')
1326 header_txt.append('using namespace std;')
1327 header_txt.append('static unordered_map<int, void*> proxy_objectsInUse;\n')
1328 header_txt.append('static unordered_map<VkObject, loader_platform_thread_id> objectsInUse;\n')
1329 header_txt.append('static int threadingLockInitialized = 0;')
1330 header_txt.append('static loader_platform_thread_mutex threadingLock;')
1331 header_txt.append('static int printLockInitialized = 0;')
1332 header_txt.append('static loader_platform_thread_mutex printLock;\n')
1333 header_txt.append('')
1334 header_txt.append('static void useObject(VkObject object, const char* type)')
1335 header_txt.append('{')
1336 header_txt.append(' loader_platform_thread_id tid = loader_platform_get_thread_id();')
1337 header_txt.append(' loader_platform_thread_lock_mutex(&threadingLock);')
1338 header_txt.append(' if (objectsInUse.find(object) == objectsInUse.end()) {')
1339 header_txt.append(' objectsInUse[object] = tid;')
1340 header_txt.append(' } else {')
1341 header_txt.append(' if (objectsInUse[object] == tid) {')
1342 header_txt.append(' char str[1024];')
1343 header_txt.append(' sprintf(str, "THREADING ERROR : object of type %s is simultaneously used in thread %ld and thread %ld", type, objectsInUse[object], tid);')
1344 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, 0, 0, THREADING_CHECKER_MULTIPLE_THREADS, "THREADING", str);')
1345 header_txt.append(' } else {')
1346 header_txt.append(' char str[1024];')
1347 header_txt.append(' sprintf(str, "THREADING ERROR : object of type %s is recursively used in thread %ld", type, tid);')
1348 header_txt.append(' layerCbMsg(VK_DBG_MSG_ERROR, VK_VALIDATION_LEVEL_0, 0, 0, THREADING_CHECKER_SINGLE_THREAD_REUSE, "THREADING", str);')
1349 header_txt.append(' }')
1350 header_txt.append(' }')
1351 header_txt.append(' loader_platform_thread_unlock_mutex(&threadingLock);')
1352 header_txt.append('}')
1353 header_txt.append('static void finishUsingObject(VkObject object)')
1354 header_txt.append('{')
1355 header_txt.append(' // Object is no longer in use')
1356 header_txt.append(' loader_platform_thread_lock_mutex(&threadingLock);')
1357 header_txt.append(' objectsInUse.erase(object);')
1358 header_txt.append(' loader_platform_thread_unlock_mutex(&threadingLock);')
1359 header_txt.append('}')
1360 return "\n".join(header_txt)
1361
1362 def generate_intercept(self, proto, qual):
1363 if proto.name in [ 'DbgRegisterMsgCallback', 'DbgUnregisterMsgCallback' ]:
1364 # use default version
1365 return None
1366 decl = proto.c_func(prefix="vk", attr="VKAPI")
1367 ret_val = ''
1368 stmt = ''
1369 funcs = []
1370 if proto.ret != "void":
1371 ret_val = "VkResult result = "
1372 stmt = " return result;\n"
1373 if proto.name == "EnumerateLayers":
1374 funcs.append('%s%s\n'
1375 '{\n'
1376 ' char str[1024];\n'
1377 ' if (gpu != NULL) {\n'
1378 ' pCurObj = (VkBaseLayerObject *) %s;\n'
1379 ' loader_platform_thread_once(&tabOnce, init%s);\n'
1380 ' %snextTable.%s;\n'
1381 ' fflush(stdout);\n'
1382 ' %s'
1383 ' } else {\n'
1384 ' if (pOutLayerCount == NULL || pOutLayers == NULL || pOutLayers[0] == NULL)\n'
1385 ' return VK_ERROR_INVALID_POINTER;\n'
1386 ' // This layer compatible with all GPUs\n'
1387 ' *pOutLayerCount = 1;\n'
1388 ' strncpy((char *) pOutLayers[0], "%s", maxStringSize);\n'
1389 ' return VK_SUCCESS;\n'
1390 ' }\n'
1391 '}' % (qual, decl, proto.params[0].name, self.layer_name, ret_val, proto.c_call(), stmt, self.layer_name))
1392 # All functions that do a Get are thread safe
1393 elif 'Get' in proto.name:
1394 return None
1395 # All Wsi functions are thread safe
1396 elif 'WsiX11' in proto.name:
1397 return None
1398 # All functions that start with a device parameter are thread safe
1399 elif proto.params[0].ty in { "VkDevice" }:
1400 return None
1401 # Only watch core objects passed as first parameter
1402 elif proto.params[0].ty not in vulkan.core.objects:
1403 return None
1404 elif proto.params[0].ty != "VkPhysicalGpu":
1405 funcs.append('%s%s\n'
1406 '{\n'
1407 ' useObject((VkObject) %s, "%s");\n'
1408 ' %snextTable.%s;\n'
1409 ' finishUsingObject((VkObject) %s);\n'
1410 '%s'
1411 '}' % (qual, decl, proto.params[0].name, proto.params[0].ty, ret_val, proto.c_call(), proto.params[0].name, stmt))
1412 else:
1413 funcs.append('%s%s\n'
1414 '{\n'
1415 ' pCurObj = (VkBaseLayerObject *) %s;\n'
1416 ' loader_platform_thread_once(&tabOnce, init%s);\n'
1417 ' %snextTable.%s;\n'
1418 '%s'
1419 '}' % (qual, decl, proto.params[0].name, self.layer_name, ret_val, proto.c_call(), stmt))
1420 return "\n\n".join(funcs)
1421
1422 def generate_body(self):
1423 self.layer_name = "Threading"
1424 body = [self._generate_layer_initialization(True, lockname='threading'),
1425 self._generate_dispatch_entrypoints("VK_LAYER_EXPORT"),
1426 self._generate_layer_gpa_function()]
1427 return "\n\n".join(body)
1428
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001429def main():
1430 subcommands = {
1431 "layer-funcs" : LayerFuncsSubcommand,
1432 "layer-dispatch" : LayerDispatchSubcommand,
Tobin Ehlis907a0522014-11-25 16:59:27 -07001433 "Generic" : GenericLayerSubcommand,
Tobin Ehlis4a636a12015-04-09 09:19:36 -06001434 "APIDump" : APIDumpSubcommand,
Tobin Ehlis907a0522014-11-25 16:59:27 -07001435 "ObjectTracker" : ObjectTrackerSubcommand,
Mike Stroyanb326d2c2015-04-02 11:59:05 -06001436 "Threading" : ThreadingSubcommand,
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001437 }
1438
Tobin Ehlis6cd06372014-12-17 17:44:50 -07001439 if len(sys.argv) < 3 or sys.argv[1] not in subcommands or not os.path.exists(sys.argv[2]):
1440 print("Usage: %s <subcommand> <input_header> [options]" % sys.argv[0])
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001441 print
Tobin Ehlis2f3726c2015-01-15 17:51:52 -07001442 print("Available subcommands are: %s" % " ".join(subcommands))
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001443 exit(1)
1444
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001445 hfp = vk_helper.HeaderFileParser(sys.argv[2])
Tobin Ehlis6cd06372014-12-17 17:44:50 -07001446 hfp.parse()
Courtney Goeltzenleuchter9cc421e2015-04-08 15:36:08 -06001447 vk_helper.enum_val_dict = hfp.get_enum_val_dict()
1448 vk_helper.enum_type_dict = hfp.get_enum_type_dict()
1449 vk_helper.struct_dict = hfp.get_struct_dict()
1450 vk_helper.typedef_fwd_dict = hfp.get_typedef_fwd_dict()
1451 vk_helper.typedef_rev_dict = hfp.get_typedef_rev_dict()
1452 vk_helper.types_dict = hfp.get_types_dict()
Tobin Ehlis6cd06372014-12-17 17:44:50 -07001453
Tobin Ehlis92dbf802014-10-22 09:06:33 -06001454 subcmd = subcommands[sys.argv[1]](sys.argv[2:])
1455 subcmd.run()
1456
1457if __name__ == "__main__":
1458 main()