The Linux graphics stack in a nutshell, part 1
Linux graphics developers often speak of modern Linux graphics when they refer to a number of individual software components and how they interact with each other. Among other things, it's a mix of kernel-managed display resources, Wayland for compositing, accelerated 3D rendering, and decidedly not X11. In a two-part series, we will take a fast-paced journey through the graphics code to see how it converts application data to pixel data and displays it on the screen. In this installment, we look at application rendering, Mesa internals, and the necessary kernel features.
Application rendering
Graphics output starts in the application, which processes and stores formatted data that is to be visualized. The common data structure for visualization is the scene graph, which is a tree where each node stores either a model in 3D space or its attributes. Model nodes contain the data to be visualized, such as a game's scenery or elements of a scientific simulation. Attribute nodes set the orientation or location of the models. Each attribute node applies to the nodes below. To render its scene graph into an on-screen image, an application walks the tree from top to bottom and left to right, sets or clears the attributes and renders the 3D models accordingly.
In the example scene graph shown below, rendering starts at the root node, which prepares the renderer and sets the output location. The application first takes the branch to the left and renders "Rectangle 1" at position (0, 0) with the surface pattern stored in texture 1. The application then moves back to the root node and takes the branch to the right where it enters the attribute node named "Transform". Applications describe transformations, such as positioning or scaling, in 4x4 matrices that the algorithm applies during the rendering process. In the example, the transform node scales all of its child nodes by a factor of 0.5. So rendering "Rectangle 2" and "Rectangle 3" displays them at half their original sizes, with their positions adjusted to (10, 10) and (15, 15), respectively. Both rectangles use different textures: 2 and 3, respectively.
To simplify rendering and make use of hardware acceleration, most applications utilize one of the standard APIs, such as OpenGL or Vulkan. Details vary among the individual APIs, but each provides interfaces to manage graphics memory, fill it with data, and render the stored information. The result is an image that the application can either display as-is or use as input data to further processing.
All graphics data is held in buffer objects, each of which is a range of graphics memory with a handle or ID attached. For example, each 3D model is stored in a vertex-buffer object, each texture is stored in a texture-buffer object, each object's surface normals are stored in a buffer object, and so on. The output image is itself stored in a buffer object. So graphics rendering is, in large part, an exercise in memory management.
The application can provide input data in any format, as long as the graphics shader can process it. A shader is a program that contains the instructions to transform the input data into an output image. It is provided by the application and executed by the graphics card.
Real-world shader programs can implement complex, multi-pass algorithms, but for this example we break it down to the minimum required. Probably the two most common operations in shaders are vertex transformations and texture lookups. We can think of a vertex as a corner of a polygon. Written in OpenGL Shading Language (GLSL), transforming a vertex looks like this:
    uniform mat4 Matrix; // same for all of a rectangles's vertices
    in vec4 inVertexCoord; // contains a different vertex coordinate on each invocation
    gl_Position = Matrix * inVertexCoord;
The variable inVertexCoord is an input coordinate coming from the application's scene graph. The variable gl_Position is the coordinate within the application's output buffer. In broad terms, the former coordinate is within the displayed scenery, while the latter is within the application window. Matrix is the 4x4 matrix that describes the transformation between the two coordinate systems. This shader operation runs for each vertex in the scene graph. In the example of the application's scene graph of rectangles above, inVertexCoord contains each vertex of each rectangle at least once. The matrix Matrix then contains that vertex's transformation, such as moving it to the correct position or scaling it by the factor of 0.5 as specified in the transform node.
Once the vertices are transformed to the output coordinate system, the shader program computes the values of the covered "fragments", which is graphics jargon for an output pixel with a depth value along the Z axis and maybe other information. Each fragment requires a color. In GLSL, the shader's texture() function retrieves the color from a texture like this:
    uniform sampler2D Tex; // the texture object of the current rectangle
    in vec2 vsTexCoord; // interpolated texture coordinate for the fragment
    Color = texture(Tex, vsTexCoord);
Here, Tex represents a texture buffer. The value vsTexCoord is the texture coordinate; the position where to read within the texture. Using both values, texture() returns a color value. Assigning it to Color writes a colored pixel to the output buffer. To fill the output buffer with pixel data, this shader code runs for each individual fragment. The texture buffer is designated by the model that is being drawn, the texture coordinate is provided by OpenGL's internal computation. For the example scene graph, the application invokes this code for each of the rectangles using that rectangle's texture buffer.
Running these shader instructions on the whole scene graph generates the complete output image for the application.
Mesa
Nothing we have discussed so far is specific to Linux, but it gives us the framework to look at how it's all implemented. On Linux, the Mesa 3D library, Mesa for short, implements 3D rendering interfaces and support for various graphics hardware. To applications, it provides OpenGL or Vulkan for desktop graphics, OpenGL ES for mobile systems, and OpenCL for computation. On the hardware side, Mesa implements drivers for most of today's graphics hardware.
Mesa drivers generally do not implement these application interfaces by themselves as Mesa contains plenty of helpers and abstractions. For stateful interfaces, such as OpenGL, Mesa's Gallium3D framework connects interfaces and drivers with each other. This is called a state tracker. Mesa contains state trackers for various versions of OpenGL, OpenGL ES, and OpenCL. When the application uses the API, it modifies the state tracker for the given interface.
A hardware driver within Mesa further converts the state-tracker information to hardware state and rendering instructions. For example, calling OpenGL's glBindTexture() selects the current texture buffer within the OpenGL state tracker. The hardware driver then installs the texture-buffer object in graphics memory and links the active shader program to refer to the buffer object as its texture. In our example above, the texture becomes available as Tex in the shader program.
Vulkan is a stateless interface, so Gallium3D is not useful for those drivers; Mesa instead offers the Vulkan runtime to help with their implementation. If there is a Vulkan driver available, though, there might not be a need for Gallium3D-based OpenGL support at all for that hardware. Zink is a Mesa driver that maps Gallium3D to Vulkan. With Zink, OpenGL state turns into Gallium3D state, which is then forwarded to hardware via standard Vulkan interfaces. In principle, this works with any hardware's Vulkan driver. One can imagine that future drivers within Mesa only implement Vulkan and rely on Zink for OpenGL compatibility.
Besides Gallium3D, Mesa provides more helpers, such as winsys or GBM, to its hardware drivers. Winsys wraps the details of the window system. GBM, the Generic Buffer Manager, simplifies buffer-object allocation. There are also a number of shader languages, such as GLSL or SPIR-V, available to the application. Mesa compiles the application-provided shader code to the "New Interface Representation" or NIR, which Mesa drivers turn into hardware instructions. To get the shader instructions and the associated data processed by Mesa's hardware acceleration, their buffer objects have to be stored in memory locations accessible to the graphics card.
Kernel memory management
Any memory accessible to the graphics hardware is commonly subsumed under the umbrella term of graphics memory; it is the graphics stack's central resource, as all of the stack's components interact with it. On the hardware side, graphics memory comes in a variety of configurations that range from dedicated memory on discrete graphics adapters to regular system memory of system-on-chip (SoC) boards. In between are graphics chips with DMA-able or shared graphics memory, graphics address remapping table (GART) memory of discrete devices, or the so-called stolen graphics memory of on-board graphics.
Being a system-wide resource, graphics memory is maintained by the kernel's Direct Rendering Manager (DRM) subsystem. To access DRM functionality, Mesa opens the graphics card's device file under /dev/dri, such as /dev/dri/renderD128. As required by its user-space counterparts, DRM exposes graphics memory in the form of buffer objects, where each buffer object represents a slice of the available memory.
The DRM framework provides a number of memory managers for the most common cases. The DRM drivers for the discrete graphics cards from AMD, NVIDIA, and (soon) Intel use the Translation Table Manager (TTM). It supports discrete graphics memory, GART memory, and system memory. TTM can move buffer objects between these areas, so if the device's discrete memory fills up, unused buffer objects can be swapped out to system memory.
Drivers for simple framebuffer devices often use the SHMEM helpers, which allocate buffer objects in shared memory. Here, regular system memory acts as a shadow buffer for the device's limited resources. The graphics driver maintains the device's graphics memory internally, but exposes buffer objects in system memory to the outside. This also makes it possible to memory-map buffer objects of devices on the USB or I2C bus, even though these buses do not support page mappings of device memory; the shadow buffer can be mapped instead.
The other common allocator, the DMA helper, manages buffer objects in DMA-able areas of the physical memory. This design is often used in SoC boards, where graphics chips fetch and store data via DMA operations. Of course, DRM drivers with additional requirements have the option of extending one of the existing memory managers or implementing their own.
The ioctl() interface for managing buffer objects is called the Graphics Execution Manager (GEM). Each DRM driver implements GEM according to its hardware's features and requirements. The GEM interface allows mapping a buffer object's memory pages to user-space or kernel address space, allows pinning the pages at a certain location, or exporting them to other drivers. For example, an application in user space can get access to a buffer object's memory pages by invoking mmap() with the correct offset on the DRM device file's file descriptor. The call will eventually end up in the DRM driver's GEM code, which sets up the mapping. As we will see below, it's a useful feature for software rendering.
The one common operation that GEM does not provide is buffer allocation. Each buffer object has a specific use case, which affects and is affected by the object's allocation parameters, memory location, or hardware constraints. Hence, each DRM driver offers a dedicated ioctl() operation for buffer-object allocation that captures these hardware-specific settings. The DRM driver's counterpart in Mesa invokes said ioctl() operation accordingly.
Rendering operations
Just having buffer objects for storing the output image, the input data, and the shader programs is not enough. To start rendering, Mesa instructs DRM to put all necessary buffer objects in graphics memory and invokes the active shader program. It's again all specific to the hardware and provided as ioctl() operations by each DRM driver individually. As with buffer allocation, the hardware driver within Mesa invokes the DRM driver's ioctl() operations. For Mesa drivers based on Gallium3D, this happens when the driver converts the state tracker information into hardware state.
The graphics driver ideally acts only as a proxy between the application in user space and the hardware. The hardware renderer runs asynchronously to the rest of the graphics stack and reports back to the driver only in case of an error or on successful completion; much like the system CPU informs the operating system on page faults or illegal instructions. As long as there's nothing to report, driver overhead is minimal. There are exceptions; for example, older models of Intel graphics chips do not support vertex transformations, so the driver within Mesa has to implement them in software. On the Raspberry Pi, the kernel's DRM driver has to validate each shader's memory access, as the VideoCore 4 chip does not contain an I/O MMU to isolate the shader from the system.
Software rendering
So far, we have assumed hardware support for graphics rendering. What if there's no such support or the user-space application cannot use it? For example, a user-space GUI toolkit might prefer rendering in software because hardware-centric interfaces like OpenGL do not fit its needs. And there's Plymouth, the program that displays the boot-up logo and prompts for disk-encryption passwords during boot, which usually does not have a full graphics stack available. For these scenarios, DRM offers the dumb-buffer ioctl() interface.
By utilizing dumb buffers, an application allocates buffer objects in graphics memory, but without support for hardware acceleration. So any returned buffer object is only usable with software rendering. The application in user space, such as a GUI toolkit or Plymouth, maps the buffer object's pages into its address space and copies over the output image. Mesa's software renderer works similarly: the input buffer objects all live in system memory and the system CPU processes the shader instructions. The output buffer is a dumb-buffer object that stores the rendered image. While that's neither fast nor fancy, it's good enough to run a modern desktop environment on simple hardware that does not support accelerated rendering.
We have now gone through the application's graphics stack for rendering. After having completed the traversal of the scene graph, the application's output buffer object contains the visualized scenery or data that it wants to display. But the buffer is not yet on the screen. Whether accelerated or dumb, putting the buffer on the screen requires compositing and mode setting, which form the other half of the graphics stack. In part 2, we will look at Wayland compositing, setting display modes with DRM, and a few other features of the graphics stack.
| Index entries for this article | |
|---|---|
| Kernel | Device drivers/Graphics | 
| GuestArticles | Zimmermann, Thomas | 
      Posted Dec 19, 2023 17:55 UTC (Tue)
                               by adobriyan (subscriber, #30858)
                              [Link] (22 responses)
       
After Vulkan you'll never look at API design the same way again. 
     
    
      Posted Dec 19, 2023 20:06 UTC (Tue)
                               by randomguy3 (subscriber, #71063)
                              [Link] (12 responses)
       
the way i understand it, it would be a bit like complaining that it's hard to program in LLVM's intermediate representation - sure, but what did you expect? 
     
    
      Posted Dec 19, 2023 20:17 UTC (Tue)
                               by adobriyan (subscriber, #30858)
                              [Link] (6 responses)
       
But who is going to write 3d engine if everyone should be using one? 
My comment is a warning for the uninitiated. 
     
    
      Posted Dec 19, 2023 22:27 UTC (Tue)
                               by excors (subscriber, #95769)
                              [Link] (5 responses)
       
I think most of the verbosity of Vulkan is because it exposes the complex architecture of modern GPUs; but if you're trying to write a decent engine in OpenGL then you'll have to use various OpenGL features and extensions that similarly expose the architecture of modern GPUs, so there's not so much difference. There is a big difference in learning curves though: you need to learn quite a lot about how GPUs work before drawing that first triangle in Vulkan (but then you can steadily progress to rendering many more triangles), whereas OpenGL provides many shortcuts so you can get something onto the screen quickly (and then rewrite your code several times as you learn new concepts and realise those shortcuts were actually traps). 
     
    
      Posted Dec 20, 2023 12:55 UTC (Wed)
                               by Sesse (subscriber, #53779)
                              [Link] (1 responses)
       
AFAIU, Khronos intended for there to be some sort of middle layer for those who didn't want to use a full engine, but it never really materialized. The situation is pretty atrocious, and it means we can basically never kill OpenGL even though it doesn't get any new features. 
     
    
      Posted Dec 20, 2023 14:26 UTC (Wed)
                               by pta2002 (guest, #168664)
                              [Link] 
       
WebGPU's API, from what people seem to say, is basically identical to Apple's Metal, which most people also seem to agree is the nicest of the three, and massively reduces the boilerplate. 
Took a bit, but I think we finally do have the graphics API to rule them all now :) 
     
      Posted Dec 20, 2023 16:32 UTC (Wed)
                               by kolAflash (subscriber, #168136)
                              [Link] (2 responses)
       
Hmm. Sounds like there's a higher risk, that outdated Vulkan applications might not run on newer GPUs. At least higher than it is with OpenGL or WebGL. 
     
    
      Posted Dec 21, 2023 5:50 UTC (Thu)
                               by joib (subscriber, #8541)
                              [Link] 
       
Then again, it's hard to imagine OpenGL with all its implicit state and fundamentally single threaded architecture, being a particularly good match to any conceivable future GPU architecture either, despite being a somewhat higher level interface than Vulkan.  
     
      Posted Dec 21, 2023 11:16 UTC (Thu)
                               by farnz (subscriber, #17727)
                              [Link] 
       Not really. OpenGL comes from an era where the GPU was expected to have a lot of stateful, fixed-function hardware, and thus the only way to program it was to set the state in registers and trigger the hardware to do its thing. That's not the current direction of travel for any form of compute, and hasn't been for a long time, and we have emulated this model by having all the state live in software that sends GPU programs over to the GPU to execute.
 Vulkan's underlying model is of multiple execution engines processing queues of commands, where the state for each engine is stored in a block of memory, and the execution engine is responsible for managing state changes when the state pointer is changed. This is a common model for compute acceleration hardware like GPUs, because it's trivial to context-switch; change the state pointer associated with the engine, and you've changed contexts. And in practice, this also works well if your hardware is designed to be stateless; when you submit a block of work to the hardware, you include the necessary state from a software copy.
 Further, Vulkan's model works well if the GPU is a shared resource; you submit work in batches, and can wait for a batch to complete; the underlying drivers and hardware can choose which batches to execute when. The OpenGL model doesn't work in this case; you are expected to claim the hardware, do your graphics stuff, release the hardware.
      
           
     
      Posted Dec 19, 2023 20:18 UTC (Tue)
                               by randomguy3 (subscriber, #71063)
                              [Link] 
       
     
      Posted Dec 19, 2023 22:14 UTC (Tue)
                               by atnot (subscriber, #124910)
                              [Link] (1 responses)
       
I don't think this is a perfect analogy. Vulkan is actually pretty fine to program it once you've got it set up. There is just a lot to configure, because it turns out that displaying a triangle on a screen is actually an incredibly complex task. The beauty of GPUs and the Vulkan API compared to it's predecessors is that once you've done all of that work to set things up, displaying a single triangle is about as hard as displaying a billion triangles. Once you've got a triangle, it's up to you what you want to fill your buffers with. 
It kind of actually is like LLVM IR in that respect actually. Making a code generator that outputs the basic arithmetic instructions and control flow is a lot of work. But once you've got that, it's 90% of what you'll ever need. 
     
    
      Posted Dec 20, 2023 9:41 UTC (Wed)
                               by WolfWings (subscriber, #56790)
                              [Link] 
       
Vulkan is nothing like that or LLVM intermediate, it's just... not hiding ANY complexity. It's like writing code for a PSX era hardware where you literally have to track EVERYTHING. 
     
      Posted Dec 20, 2023 1:11 UTC (Wed)
                               by animats (guest, #168630)
                              [Link] (1 responses)
       
I use Rend3/WGPU.  WGPU is an abstraction layer which supports Vulkan, Direct-X 11 and 12, and Apple's Metal. This is a standard 3D graphics library for Rust. 
Above that, you have a choice of game engines and libraries. Godot is widely used for C++ game dev. There's Bevy, for Rust game dev, and the somewhat bleeding edge Rend3, which offers a clean, safe interface for Rust 3D graphics but is not a full game engine. All open source, of course. 
Here's some video generated with Rend3, running on Ubuntu Linux 22.04.3 LTS with an NVidia 3070 GPU. 
     
    
      Posted Dec 20, 2023 16:29 UTC (Wed)
                               by kolAflash (subscriber, #168136)
                              [Link] 
       
     
      Posted Dec 20, 2023 0:54 UTC (Wed)
                               by Cyberax (✭ supporter ✭, #52523)
                              [Link] 
       
In practice, you'll probably be using some kind of a wrapper around it (I like https://github.com/GPUOpen-LibrariesAndSDKs/V-EZ ) or a full-blown engine. 
     
      Posted Dec 20, 2023 4:01 UTC (Wed)
                               by tshow (subscriber, #6411)
                              [Link] (7 responses)
       > For those who are going to try Vulkan: it takes like 1000 LOC in C to hello world a triangle from scratch. Add few hundred LOC more for a textured triangle.
 Vulkan is very verbose, but a lot of this can be mitigated with some macro magic if you're using relatively recent C (and if you're building for Vulkan, why wouldn't you be?).  There's a bunch of pure boilerplate you can macro away.
 In particular, a lot of the functions take pointers to structures as arguments.  This means you wind up doing a lot of:
 In my game engine I've got #defines of the form:
 The above could be done without the STVK() macro by expanding it inline in the ARG_ macro, but unless you're going to autogenerate the macros (say, with a ruby script that greps vulkan_core.h for VK_STRUCTURE_TYPE...) it's less prolix to have the helper macro.
 With that, the call becomes:
 or if you like maximal vertical spread:
 I'm simplifying a bit (most vulkan calls want an allocator pointer, for instance, though you can probably macro that away too unless you plan to use different allocators in different places), but the macro scheme above gets rid of a lot of the boilerplate and makes the code a lot easier to read, IMO.  Particularly when you get to things like vkCreateGraphicsPipeline() which takes very large structures.
 There's a lot of other places you can do that as well.  For example, are you planning to have custom names for your shader entry points?  If not, you can macro .pName = "main" into all your VkPipelineShaderStageCreateInfo structures.
 You can also clean things up a lot by remembering that when you init a structure inline in C, all members not explicitly mentioned are zeroed, so if you have any lines like .flags = 0, (hint: you do; there are a lot of flag fields with no flags defined yet in Vulkan...) you can get rid of them unless you think it's needed for clarity.
 Being low level, Vulkan gives you a lot of flexibility you'll probably never use.  Nailing down the bits you won't care about in macros behind the scenes makes it much simpler to work with, though I obviously advise heavily documenting your macros wherever they live in case your assumptions change.
      
           
     
    
      Posted Dec 20, 2023 10:25 UTC (Wed)
                               by adobriyan (subscriber, #30858)
                              [Link] (6 responses)
       
It is just that "ha-ha-ha you forgot to set VkPipelineColorBlendAttachmentState::blendEnable -- enjoy black screen." 
What about rasterizerDiscardEnable? 
What about "get physical device which this X instance is running at?". 
     
    
      Posted Dec 20, 2023 10:35 UTC (Wed)
                               by zdzichu (guest, #17118)
                              [Link] (5 responses)
       
     
    
      Posted Dec 20, 2023 10:47 UTC (Wed)
                               by adobriyan (subscriber, #30858)
                              [Link] (4 responses)
       
Now imagine there are 2 GPUs in the system, one is connected to monitor with X running, and the other one is not. There is fake Mesa llvmpipe device lying around too. 
     
    
      Posted Dec 20, 2023 14:42 UTC (Wed)
                               by makendo (guest, #168314)
                              [Link] (3 responses)
       
Lavapipe should identify itself as a software renderer (VK_PHYSICAL_DEVICE_TYPE_CPU), which can help a lot in kicking it away. 
     
    
      Posted Dec 23, 2023 13:39 UTC (Sat)
                               by adobriyan (subscriber, #30858)
                              [Link] (2 responses)
       
Enumerate queue family properties, at least one of them will be able to present to the window surface 
All other GPUs driving or not driving other X servers will not be able to Present to the surface. 
Which is good enough. 
qfp 0 G 1, P 0    <= no cookie 
qfp 0 G 1, P 1    <= GPU which shows the window 
I must say, this is simple and not simple at the same time. Every single tutorial assumes 1 GPU. 
     
    
      Posted Dec 23, 2023 13:52 UTC (Sat)
                               by adobriyan (subscriber, #30858)
                              [Link] (1 responses)
       
# 1070 (active) 
# 1030 (passive) 
(lavapipe) 
Enumeration order varies by distro too! 
     
    
      Posted Feb 2, 2024 8:34 UTC (Fri)
                               by daenzer (subscriber, #7050)
                              [Link] 
       
The enumeration order isn't well-defined, and in practice partially depends on the order in which the filesystem enumerates the corresponding *_icd.*.json files (which isn't well-defined either). So the order may differ between otherwise mostly identical systems with the same set of VkPhysicalDevices, and may change after modifications to the *_icd.*.json files. 
Unfortunately, many (most?) Vulkan applications just use the first enumerated device by default. To prevent such apps from accidentally using an undesirable device such as a lavapipe one, Mesa ships a device selection layer which moves the "default" device to be enumerated first. 
     
      Posted Dec 19, 2023 22:40 UTC (Tue)
                               by itsmycpu (guest, #139639)
                              [Link] 
       
     
      Posted Dec 20, 2023 3:18 UTC (Wed)
                               by timrichardson (subscriber, #72836)
                              [Link] 
       
     
      Posted Dec 20, 2023 10:55 UTC (Wed)
                               by amarao (guest, #87073)
                              [Link] 
       
Thank you very much. 
     
      Posted Dec 21, 2023 20:09 UTC (Thu)
                               by tdz (subscriber, #58733)
                              [Link] 
       
     
    The Linux graphics stack in a nutshell, part 1
      
Add few hundred LOC more for a textured triangle.
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
> I think most of the verbosity of Vulkan is because it exposes the complex architecture of modern GPUs;
Is that correct?
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
Useful levels above Vulkan
      
Useful levels above Vulkan
      
https://www.phoronix.com/news/SuperTuxKart-1.4
And there are a lot of commercial engines with Vulkan support like Unity3D or the Unreal Engine.
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
vkCreateFoo(&(VkFooCreateInfo)
    {
      .sType  = VK_STRUCTURE_TYPE_FOO,
      .thing  = VK_TRUE,
      .answer = 42
    });
#define STVK(_name, _type) &(Vk##_name) { .sType = VK_STRUCTURE_TYPE_##_type
#define ARG_VkFooCreateInfo(...) STVK(FooCreateInfo, FOO_CREATE_INFO), __VA_ARGS__ }
vkCreateFoo(ARG_VkFooCreateInfo(.thing = VK_TRUE, .answer = 42));
vkCreateFoo(
  ARG_VkFooCreateInfo(
    .thing  = VK_TRUE,
    .answer = 42
  )
);
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
(vkGetPhysicalDeviceSurfaceSupportKHR will report Supported == VK_TRUE).
qfp 1 G 0, P 0
qfp 2 G 0, P 0
qfp 3 G 0, P 0
qfp 1 G 0, P 0
qfp 2 G 0, P 1
qfp 3 G 0, P 0
The Linux graphics stack in a nutshell, part 1
      
qfp 0 G 1, P 1  ***
qfp 1 G 0, P 0
qfp 2 G 0, P 1
qfp 3 G 0, P 0
qfp 0 G 1, P 0
qfp 1 G 0, P 0
qfp 2 G 0, P 0
qfp 3 G 0, P 0
qfp 0 G 1, P 1 ***        # P=1 !!!
-p 0    NVIDIA GeForce GTX 1070
-p 1    NVIDIA GeForce GT 1030
-p 2    llvmpipe (LLVM 16.0.6, 256 bits)
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
The Linux graphics stack in a nutshell, part 1
      
 
           
![Scene graph [Scene graph]](https://static.lwn.net/images/2023/scenegraph.png)