I’m working on loading vulkan dynamically using reflection.
When including vulkan, if loading the function pointers dynamically you can
add a cDefine VK_NO_PROTOTYPES. This will exclude all
exported functions and only include the types for the function pointers. for example.
without VK_NO_PROTOTYPES
pub extern fn vkGetInstanceProcAddr(instance: VkInstance, pName: [*c]const u8) PFN_vkVoidFunction;
pub const PFN_vkGetInstanceProcAddr = ?*const fn (VkInstance, [*c]const u8) callconv(.c) PFN_vkVoidFunction;
with VK_NO_PROTOTYPES
pub const PFN_vkGetInstanceProcAddr = ?*const fn (VkInstance, [*c]const u8) callconv(.c) PFN_vkVoidFunction;
So the preferred way when loading the functions yourself would be to use the PFN_vkFnType types and thus add the @cDefine(VK_NO_PROTOTYPES, {}) to prevent accidental use of those functions.
So here is where I am running into issues. The following ways can be used to define a function pointer that we will assign to that is of type PFN_vkFnType
- Use the PFN_ type directly
const getInstanceProcAddr: PFN_vkGetInstanceProcAddr = undefined/null
This is not preferred as PFN_ types are nullable meaning with every call you would need to use
const addr = getInstanceProcAddr.?()
- Use reflection to get the underlying type
const getInstanceProcAddr: @typeInfo(PFN_vkGetInstanceProcAddr).optional.child = undefined;
This is preferred, because now it’s non nullanullble and I can call it directly without using .? syntax.
There is one issue with this. I lose all LSP information regarding this type, when hovering over it it will say @Type(unknown).
- Without using VK_NO_PROTOTYPES
const getInstanceProcAddr: *const @TypeOf(c.vkGetInstanceProcAddr) = undefined;
This works but in this case it means I cannot declare VK_NO_PROTOTYPES cleaning up the vk headers from functions I will never use.
I tried with both ZLS and zigscient-next lsp but got the same result.
For now I am going with option 3 because I do like having the type info available to me regarding the functions parameters and return type etc.
Is this an issue with ZLS? And if so are there any known work arrounds for these cases?