vkgen

Generates Rust source code from vk.xml

Benefits

General information

Usage

Step 1

Download vk.xml from the official Vulkan-Headers repository (https://github.com/KhronosGroup/Vulkan-Headers/blob/master/registry/vk.xml)

Step 2

Generate Rust source code from vk.xml

$ vkgen <input file>

Arguments
Output
Example

$ vkgen ./vk.xml

Parses a file named vk.xml which contains the Vulkan registry and outputs the generated code to vk.rs and a list of all versions and extensions to vk.toml.

Step 3

Copy the Rust file into your project folder and add the versions and extensions located in the toml file to your project's Cargo.toml: toml ... [features] default = ["VK_VERSION_1_0", "VK_VERSION_1_1"] ... VK_VERSION_1_0 = [] VK_VERSION_1_1 = [] ...

Step 4

Add libloading to your project's cargo.toml [dependencies] libloading = "0.5.0" libloading is used to load vkGetInstanceProcAddr from the Vulkan shared library.

Step 5

Load libvulkan in order to use the generated functions rust unsafe { vkLoad(); } Note: vkLoad() only loads vkGetInstanceProcAddr from the shared library, all other functions are loaded dynamically via vkGetInstanceProcAddr and vkGetDeviceProcAddr to avoid additional dispatch overhead.

Examples

This simple example demonstrates how to load libvulkan on linux, output the instance version (1.1.0) and create an instance. vk.rs is the file containing the generated Rust source code.

Cargo.toml: ```toml [package] name = "vkgen_test" version = "0.1.0" authors = ["tobias"] edition = "2018"

[features] default = ["VKVERSION10", "VKVERSION11"] VKVERSION10 = [] VKVERSION11 = []

[dependencies] libloading = "0.5.0" main.rs: rust mod vk;

use self::vk::*; use std::ptr::null;

fn main() { unsafe { vkLoad(); }

let mut v: u32 = 0;
enumerateInstanceVersion(&mut v);
println!("vulkan instance version is {}.{}.{}", VK_VERSION_MAJOR(v), VK_VERSION_MINOR(v), VK_VERSION_PATCH(v));

let instance_info = VkInstanceCreateInfo {
    sType:                   VK_STRUCTURE_TYPE_INSTANCE_CREATE_INFO,
    pNext:                   null(),
    flags:                   0,
    pApplicationInfo: &VkApplicationInfo {
        sType:              VK_STRUCTURE_TYPE_APPLICATION_INFO,
        pNext:              null(),
        pApplicationName:   b"test app\0".as_ptr(),
        applicationVersion: VK_MAKE_VERSION(0, 0, 1),
        pEngineName:        b"test engine\0".as_ptr(),
        engineVersion:      VK_MAKE_VERSION(0, 0, 1),
        apiVersion:         VK_MAKE_VERSION(1, 1, 0),
    },
    enabledLayerCount:       0,
    ppEnabledLayerNames:     null(),
    enabledExtensionCount:   0,
    ppEnabledExtensionNames: null()
};

let mut instance = VK_NULL_HANDLE;
if createInstance(&instance_info, null(), &mut instance) != VK_SUCCESS {
    panic!("something went wrong :-/");
};
let instance = unsafe { VkInstanceImpl::new(instance) };

}

```