TDME2 1.9.121
VKRenderer.cpp
Go to the documentation of this file.
1/**
2 * Vulkan renderer
3 * based on
4 * https://github.com/glfw/glfw/blob/master/tests/vulkan.c and util.c from Vulkan samples
5 * https://vulkan-tutorial.com
6 * https://github.com/KhronosGroup/Vulkan-Docs/wiki/Synchronization-Examples
7 * https://github.com/SaschaWillems/Vulkan
8 * ...
9 */
10
12
13#if defined(_MSC_VER)
14 // this suppresses a warning redefinition of APIENTRY macro
15 #define NOMINMAX
16 #include <windows.h>
17#endif
18#define GLFW_INCLUDE_VULKAN
19#include <GLFW/glfw3.h>
20
21#include <ext/vulkan/glslang/Public/ShaderLang.h>
22#include <ext/vulkan/spirv/GlslangToSpv.h>
23#include <ext/vulkan/vma/src/VmaUsage.h>
24#include <ext/vulkan/OGLCompilersDLL/InitializeDll.h>
25
26#define THSVS_SIMPLER_VULKAN_SYNCHRONIZATION_IMPLEMENTATION
27#include <ext/vulkan/svs/thsvs_simpler_vulkan_synchronization.h>
28
29#include <array>
30#include <cassert>
31#include <cstring>
32#include <iterator>
33#include <map>
34#include <stack>
35#include <string>
36#include <unordered_map>
37#include <unordered_set>
38#include <vector>
39
40#include <tdme/tdme.h>
48#include <tdme/engine/Engine.h>
51#include <tdme/engine/Timing.h>
52#include <tdme/math/Matrix4x4.h>
65#include <tdme/utilities/RTTI.h>
68#include <tdme/utilities/Time.h>
69
70using std::floor;
71using std::log2;
72using std::max;
73using std::to_string;
74
75#define ARRAY_SIZE(a) (sizeof(a) / sizeof(a[0]))
76#define ERR_EXIT(err_msg, err_class) \
77 do { \
78 Console::println(err_msg); \
79 Application::exit(1); \
80 } while (0)
81
82#define GET_INSTANCE_PROC_ADDR(inst, entrypoint) \
83 { \
84 fp##entrypoint = (PFN_vk##entrypoint)vkGetInstanceProcAddr(inst, "vk" #entrypoint); \
85 if (fp##entrypoint == nullptr) { \
86 ERR_EXIT("vkGetInstanceProcAddr failed to find vk" #entrypoint, "vkGetInstanceProcAddr Failure"); \
87 } \
88 }
89
90#define GET_DEVICE_PROC_ADDR(dev, entrypoint) \
91 { \
92 fp##entrypoint = (PFN_vk##entrypoint)vkGetDeviceProcAddr(dev, "vk" #entrypoint); \
93 if (fp##entrypoint == nullptr) { \
94 ERR_EXIT("vkGetDeviceProcAddr failed to find vk" #entrypoint, "vkGetDeviceProcAddr Failure"); \
95 } \
96 }
97
98using std::array;
99using std::iterator;
100using std::map;
101using std::memcpy;
102using std::stack;
103using std::string;
104using std::to_string;
105using std::unordered_map;
106using std::unordered_set;
107using std::vector;
108
110
138
139VKRenderer::VKRenderer():
140 Renderer(),
141 queueSpinlock("queue_spinlock"),
142 buffersMutex("buffers_mutex"),
143 texturesMutex("textures_mutex"),
144 deleteMutex("delete_mutex"),
145 disposeMutex("dispose_mutex"),
146 pipelinesSpinLock("pipelines_spinlock"),
147 vmaSpinlock("vma_spinlock")
148{
150 // setup consts
151 ID_NONE = 0;
154 CULLFACE_FRONT = VK_CULL_MODE_FRONT_BIT;
155 CULLFACE_BACK = VK_CULL_MODE_BACK_BIT;
156 FRONTFACE_CW = VK_FRONT_FACE_CLOCKWISE + 1;
157 FRONTFACE_CCW = VK_FRONT_FACE_COUNTER_CLOCKWISE + 1;
158 SHADER_FRAGMENT_SHADER = VK_SHADER_STAGE_FRAGMENT_BIT;
159 SHADER_VERTEX_SHADER = VK_SHADER_STAGE_VERTEX_BIT;
160 SHADER_COMPUTE_SHADER = VK_SHADER_STAGE_COMPUTE_BIT;
161 DEPTHFUNCTION_ALWAYS = VK_COMPARE_OP_ALWAYS;
162 DEPTHFUNCTION_EQUAL = VK_COMPARE_OP_EQUAL;
163 DEPTHFUNCTION_LESSEQUAL = VK_COMPARE_OP_LESS_OR_EQUAL;
164 DEPTHFUNCTION_GREATEREQUAL = VK_COMPARE_OP_GREATER_OR_EQUAL;
172 //
173 viewport.x = 0.0f;
174 viewport.y = 0.0f;
175 viewport.minDepth = 0.0f;
176 viewport.maxDepth = 1.0f;
177 scissor.offset.x = 0;
178 scissor.offset.y = 0;
179}
180
181inline VkBool32 VKRenderer::checkLayers(uint32_t checkCount, const char **checkNames, const vector<VkLayerProperties>& instanceLayers) {
182 uint32_t i, j;
183 for (i = 0; i < checkCount; i++) {
184 VkBool32 found = 0;
185 for (j = 0; j < instanceLayers.size(); j++) {
186 if (!strcmp(checkNames[i], instanceLayers[j].layerName)) {
187 found = 1;
188 break;
189 }
190 }
191 if (!found) {
192 fprintf(stderr, "Cannot find layer: %s\n", checkNames[i]);
193 return 0;
194 }
195 }
196 return 1;
197}
198
199inline void VKRenderer::prepareSetupCommandBuffer(int contextIdx) {
200 auto& currentContext = contexts[contextIdx];
201 if (currentContext.setupCommandInUse == VK_NULL_HANDLE) {
202 currentContext.setupCommandInUse = currentContext.setupCommand;
203
204 //
205 const VkCommandBufferBeginInfo cmdBufInfo = {
206 .sType = VK_STRUCTURE_TYPE_COMMAND_BUFFER_BEGIN_INFO,
207 .pNext = nullptr,
208 .flags = VK_COMMAND_BUFFER_USAGE_ONE_TIME_SUBMIT_BIT,
209 .pInheritanceInfo = nullptr
210 };
211
212 VkResult err;
213 err = vkBeginCommandBuffer(currentContext.setupCommandInUse, &cmdBufInfo);
214 assert(!err);
215
216 //
217 AtomicOperations::increment(statistics.drawCommands);
218 }
219}
220
221inline void VKRenderer::finishSetupCommandBuffer(int contextIdx) {
222 auto& currentContext = contexts[contextIdx];
223
224 //
225 if (currentContext.setupCommandInUse != VK_NULL_HANDLE) {
226 //
227 VkResult err;
228 err = vkEndCommandBuffer(currentContext.setupCommandInUse);
229 assert(!err);
230
231 VkFence nullFence = { VK_NULL_HANDLE };
232 VkSubmitInfo submitInfo = {
233 .sType = VK_STRUCTURE_TYPE_SUBMIT_INFO,
234 .pNext = nullptr,
235 .waitSemaphoreCount = 0,
236 .pWaitSemaphores = nullptr,
237 .pWaitDstStageMask = nullptr,
238 .commandBufferCount = 1,
239 .pCommandBuffers = &currentContext.setupCommandInUse,
240 .signalSemaphoreCount = 0,
241 .pSignalSemaphores = nullptr
242 };
243
245
246 err = vkQueueSubmit(queue, 1, &submitInfo, currentContext.setupFence);
247 assert(!err);
248
249 //
251
252 //
253 AtomicOperations::increment(statistics.submits);
254
255 //
256 VkResult fenceResult;
257 do {
258 fenceResult = vkWaitForFences(device, 1, &currentContext.setupFence, VK_TRUE, 100000000);
259 } while (fenceResult == VK_TIMEOUT);
260 vkResetFences(device, 1, &currentContext.setupFence);
261
262 //
263 currentContext.setupCommandInUse = VK_NULL_HANDLE;
264 }
265}
266
267inline bool VKRenderer::beginDrawCommandBuffer(int contextIdx, int bufferId) {
268 auto& currentContext = contexts[contextIdx];
269
270 //
271 if (bufferId == -1) bufferId = currentContext.currentCommandBuffer;
272
273 //
274 auto& commandBuffer = currentContext.commandBuffers[bufferId];
275 if (commandBuffer.drawCmdStarted == true) return false;
276
277 //
278 VkResult fenceResult;
279 do {
280 fenceResult = vkWaitForFences(device, 1, &commandBuffer.drawFence, VK_TRUE, 100000000);
281 } while (fenceResult == VK_TIMEOUT);
282 vkResetFences(device, 1, &commandBuffer.drawFence);
283
284 //
285 const VkCommandBufferBeginInfo cmdBufInfo = {
286 .sType = VK_STRUCTURE_TYPE_COMMAND_BUFFER_BEGIN_INFO,
287 .pNext = nullptr,
288 .flags = VK_COMMAND_BUFFER_USAGE_ONE_TIME_SUBMIT_BIT,
289 .pInheritanceInfo = nullptr
290 };
291
292 //
293 VkResult err;
294 err = vkBeginCommandBuffer(commandBuffer.drawCommand, &cmdBufInfo);
295 assert(!err);
296
297 array<ThsvsAccessType, 2> nextAccessTypes { THSVS_ACCESS_COLOR_ATTACHMENT_WRITE, THSVS_ACCESS_NONE };
298 ThsvsImageLayout nextLayout { THSVS_IMAGE_LAYOUT_OPTIMAL };
299
300 // check if we need a change at all
302 (windowFramebufferBuffers[currentWindowFramebufferIdx].accessTypes != nextAccessTypes || windowFramebufferBuffers[currentWindowFramebufferIdx].svsLayout != nextLayout)) {
303 ThsvsImageBarrier svsImageBarrier = {
304 .prevAccessCount = static_cast<uint32_t>(windowFramebufferBuffers[currentWindowFramebufferIdx].accessTypes[1] != THSVS_ACCESS_NONE?2:1),
305 .pPrevAccesses = windowFramebufferBuffers[currentWindowFramebufferIdx].accessTypes.data(),
306 .nextAccessCount = static_cast<uint32_t>(nextAccessTypes[1] != THSVS_ACCESS_NONE?2:1),
307 .pNextAccesses = nextAccessTypes.data(),
309 .nextLayout = nextLayout,
310 .discardContents = true,
311 .srcQueueFamilyIndex = 0,
312 .dstQueueFamilyIndex = 0,
314 .subresourceRange = {
315 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
316 .baseMipLevel = 0,
317 .levelCount = 1,
318 .baseArrayLayer = 0,
319 .layerCount = 1
320 }
321 };
322 VkImageMemoryBarrier vkImageMemoryBarrier;
323 VkPipelineStageFlags srcStages;
324 VkPipelineStageFlags dstStages;
325 thsvsGetVulkanImageMemoryBarrier(
326 svsImageBarrier,
327 &srcStages,
328 &dstStages,
329 &vkImageMemoryBarrier
330 );
331
332 //
333 VkResult err;
334
335 //
336 vkCmdPipelineBarrier(commandBuffer.drawCommand, srcStages, dstStages, 0, 0, nullptr, 0, nullptr, 1, &vkImageMemoryBarrier);
337
338 //
339 windowFramebufferBuffers[currentWindowFramebufferIdx].accessTypes = nextAccessTypes;
341 }
342
343 //
344 commandBuffer.drawCmdStarted = true;
345
346 //
347 AtomicOperations::increment(statistics.drawCommands);
348
349 //
350 return true;
351}
352
353inline VkCommandBuffer VKRenderer::endDrawCommandBuffer(int contextIdx, int bufferId, bool cycleBuffers) {
354 auto& currentContext = contexts[contextIdx];
355
356 //
357 if (bufferId == -1) bufferId = currentContext.currentCommandBuffer;
358 auto& commandBuffer = currentContext.commandBuffers[bufferId];
359
360 //
361 currentContext.pipeline = VK_NULL_HANDLE;
362
363 //
364 if (commandBuffer.drawCmdStarted == false) return VK_NULL_HANDLE;
365
366 //
367 VkResult err;
368 err = vkEndCommandBuffer(commandBuffer.drawCommand);
369 assert(!err);
370
371 //
372 auto endedCommandBuffer = commandBuffer.drawCommand;
373
374 //
375 commandBuffer.drawCmdStarted = false;
376
377 //
378 if (cycleBuffers == true) currentContext.currentCommandBuffer = (currentContext.currentCommandBuffer + 1) % DRAW_COMMANDBUFFER_MAX;
379
380 //
381 return endedCommandBuffer;
382}
383
384inline void VKRenderer::submitDrawCommandBuffers(int commandBufferCount, VkCommandBuffer* commandBuffers, VkFence& fence) {
385 //
386 VkResult err;
387 VkPipelineStageFlags pipeStageFlags = VK_PIPELINE_STAGE_BOTTOM_OF_PIPE_BIT;
388 VkSubmitInfo submitInfo = {
389 .sType = VK_STRUCTURE_TYPE_SUBMIT_INFO,
390 .pNext = nullptr,
391 .waitSemaphoreCount = 0,
392 .pWaitSemaphores = nullptr,
393 .pWaitDstStageMask = &pipeStageFlags,
394 .commandBufferCount = static_cast<uint32_t>(commandBufferCount),
395 .pCommandBuffers = commandBuffers,
396 .signalSemaphoreCount = 0,
397 .pSignalSemaphores = nullptr
398 };
399
400 //
402
403 err = vkQueueSubmit(queue, 1, &submitInfo, fence);
404 assert(!err);
405
407
408 //
409 AtomicOperations::increment(statistics.submits);
410}
411
413 for (auto contextIdx = 0; contextIdx < Engine::getThreadCount(); contextIdx++) finishSetupCommandBuffer(contextIdx);
414}
415
416inline void VKRenderer::setImageLayout(int contextIdx, texture_type* textureObject, const array<ThsvsAccessType,2>& nextAccessTypes, ThsvsImageLayout nextLayout, bool discardContent, uint32_t baseMipLevel, uint32_t levelCount, bool submit) {
417 auto& currentContext = contexts[contextIdx];
418
419 // does this texture object point to a cube map color/depth buffer texture?
420 auto _textureObject = textureObject->cubemapBufferTexture != nullptr?textureObject->cubemapBufferTexture:textureObject;
421
422 // base array layer that applies to cube maps only
423 auto baseArrayLayer = static_cast<uint32_t>(textureObject->cubemapBufferTexture != nullptr?textureObject->cubemapTextureIndex - CUBEMAPTEXTUREINDEX_MIN:0);
424
425 // check if we need a change at all
426 if (_textureObject->accessTypes[baseArrayLayer] == nextAccessTypes && _textureObject->svsLayout == nextLayout) return;
427
428 ThsvsImageBarrier svsImageBarrier = {
429 .prevAccessCount = static_cast<uint32_t>(_textureObject->accessTypes[baseArrayLayer][1] != THSVS_ACCESS_NONE?2:1),
430 .pPrevAccesses = _textureObject->accessTypes[baseArrayLayer].data(),
431 .nextAccessCount = static_cast<uint32_t>(nextAccessTypes[1] != THSVS_ACCESS_NONE?2:1),
432 .pNextAccesses = nextAccessTypes.data(),
433 .prevLayout = _textureObject->svsLayout,
434 .nextLayout = nextLayout,
435 .discardContents = discardContent,
436 .srcQueueFamilyIndex = 0,
437 .dstQueueFamilyIndex = 0,
438 .image = _textureObject->image,
439 .subresourceRange = {
440 .aspectMask = _textureObject->aspectMask,
441 .baseMipLevel = baseMipLevel,
442 .levelCount = levelCount,
443 .baseArrayLayer = baseArrayLayer, // cube map texture index if cube map or 0 for framebuffer or ordinary textures
444 .layerCount = 1
445 }
446 };
447 VkImageMemoryBarrier vkImageMemoryBarrier;
448 VkPipelineStageFlags srcStages;
449 VkPipelineStageFlags dstStages;
450 thsvsGetVulkanImageMemoryBarrier(
451 svsImageBarrier,
452 &srcStages,
453 &dstStages,
454 &vkImageMemoryBarrier
455 );
456
457 //
458 prepareSetupCommandBuffer(contextIdx);
459 vkCmdPipelineBarrier(currentContext.setupCommandInUse, srcStages, dstStages, 0, 0, nullptr, 0, nullptr, 1, &vkImageMemoryBarrier);
460 if (submit == true) finishSetupCommandBuffer(contextIdx);
461
462 //
463 _textureObject->accessTypes[baseArrayLayer] = nextAccessTypes;
464 _textureObject->svsLayout = nextLayout;
465 _textureObject->vkLayout = vkImageMemoryBarrier.newLayout;
466}
467
469 image_layout_change& imageLayoutChange,
470 texture_type* textureObject,
471 const array<ThsvsAccessType,2>& prevAccessTypes,
472 const array<ThsvsAccessType,2>& nextAccessTypes,
473 ThsvsImageLayout prevLayout,
474 ThsvsImageLayout nextLayout,
475 bool discardContent,
476 uint32_t baseMipLevel,
477 uint32_t levelCount
478) {
479 // does this texture object point to a cube map color/depth buffer texture?
480 auto _textureObject = textureObject->cubemapBufferTexture != nullptr?textureObject->cubemapBufferTexture:textureObject;
481
482 // base array layer that applies to cube maps only
483 auto baseArrayLayer = static_cast<uint32_t>(textureObject->cubemapBufferTexture != nullptr?textureObject->cubemapTextureIndex - CUBEMAPTEXTUREINDEX_MIN:0);
484
485 //
486 ThsvsImageBarrier svsImageBarrier = {
487 .prevAccessCount = static_cast<uint32_t>(prevAccessTypes[1] != THSVS_ACCESS_NONE?2:1),
488 .pPrevAccesses = prevAccessTypes.data(),
489 .nextAccessCount = static_cast<uint32_t>(nextAccessTypes[1] != THSVS_ACCESS_NONE?2:1),
490 .pNextAccesses = nextAccessTypes.data(),
491 .prevLayout = prevLayout,
492 .nextLayout = nextLayout,
493 .discardContents = discardContent,
494 .srcQueueFamilyIndex = 0,
495 .dstQueueFamilyIndex = 0,
496 .image = _textureObject->image, // cubemap color/depth buffer image or framebuffer / ordinary texture image
497 .subresourceRange = {
498 .aspectMask = _textureObject->aspectMask,
499 .baseMipLevel = baseMipLevel,
500 .levelCount = levelCount,
501 .baseArrayLayer = baseArrayLayer, // cube map texture index if cube map or 0 for framebuffer or ordinary textures
502 .layerCount = 1
503 }
504 };
505 thsvsGetVulkanImageMemoryBarrier(
506 svsImageBarrier,
507 &imageLayoutChange.srcStages,
508 &imageLayoutChange.dstStages,
509 &imageLayoutChange.vkImageMemoryBarrier
510 );
511
512 //
513 imageLayoutChange.accessTypes = nextAccessTypes;
514 imageLayoutChange.svsLayout = nextLayout;
515 imageLayoutChange.vkLayout = imageLayoutChange.vkImageMemoryBarrier.newLayout;
516 imageLayoutChange.valid = true;
517}
518
519inline void VKRenderer::applyImageLayoutChange(int contextIdx, const image_layout_change& imageLayoutChange, texture_type* textureObject, bool submit) {
520 auto& currentContext = contexts[contextIdx];
521
522 // does this texture object point to a cube map color/depth buffer texture?
523 auto _textureObject = textureObject->cubemapBufferTexture != nullptr?textureObject->cubemapBufferTexture:textureObject;
524
525 //
526 prepareSetupCommandBuffer(contextIdx);
527 vkCmdPipelineBarrier(currentContext.setupCommandInUse, imageLayoutChange.srcStages, imageLayoutChange.dstStages, 0, 0, nullptr, 0, nullptr, 1, &imageLayoutChange.vkImageMemoryBarrier);
528 if (submit == true) finishSetupCommandBuffer(contextIdx);
529
530 // base array layer that applies to cube maps only
531 auto baseArrayLayer = static_cast<uint32_t>(textureObject->cubemapBufferTexture != nullptr?textureObject->cubemapTextureIndex - CUBEMAPTEXTUREINDEX_MIN:0);
532
533 //
534 _textureObject->accessTypes[baseArrayLayer] = imageLayoutChange.accessTypes;
535 _textureObject->svsLayout = imageLayoutChange.svsLayout;
536 _textureObject->vkLayout = imageLayoutChange.vkLayout;
537}
538
539void VKRenderer::applyImageLayoutChanges(int contextIdx, const array<image_layout_change, 8> imageLayoutChanges, array<texture_type*, 8> textureObjects, bool submit) {
540 auto& currentContext = contexts[contextIdx];
541
542 //
543 array<VkImageMemoryBarrier, 8> vkImageMemoryBarriers = {
544 imageLayoutChanges[0].vkImageMemoryBarrier,
545 imageLayoutChanges[1].vkImageMemoryBarrier,
546 imageLayoutChanges[2].vkImageMemoryBarrier,
547 imageLayoutChanges[3].vkImageMemoryBarrier,
548 imageLayoutChanges[4].vkImageMemoryBarrier,
549 imageLayoutChanges[5].vkImageMemoryBarrier,
550 imageLayoutChanges[6].vkImageMemoryBarrier,
551 imageLayoutChanges[7].vkImageMemoryBarrier
552 };
553
554 //
555 prepareSetupCommandBuffer(contextIdx);
556 vkCmdPipelineBarrier(currentContext.setupCommandInUse, imageLayoutChanges[0].srcStages, imageLayoutChanges[0].dstStages, 0, 0, nullptr, 0, nullptr, vkImageMemoryBarriers.size(), vkImageMemoryBarriers.data());
557 if (submit == true) finishSetupCommandBuffer(contextIdx);
558
559 //
560 auto i = 0;
561 for (auto textureObject: textureObjects) {
562 // does this texture object point to a cube map color/depth buffer texture?
563 auto _textureObject = textureObject->cubemapBufferTexture != nullptr?textureObject->cubemapBufferTexture:textureObject;
564
565 // base array layer that applies to cube maps only
566 auto baseArrayLayer = static_cast<uint32_t>(textureObject->cubemapBufferTexture != nullptr?textureObject->cubemapTextureIndex - CUBEMAPTEXTUREINDEX_MIN:0);
567
568 //
569 _textureObject->accessTypes[baseArrayLayer] = imageLayoutChanges[i].accessTypes;
570 _textureObject->svsLayout = imageLayoutChanges[i].svsLayout;
571 _textureObject->vkLayout = imageLayoutChanges[i].vkLayout;
572 i++;
573 }
574}
575
576inline void VKRenderer::setImageLayout2(int contextIdx, texture_type* textureObject, const array<ThsvsAccessType,2>& accessTypes, const array<ThsvsAccessType,2>& nextAccessTypes, ThsvsImageLayout layout, ThsvsImageLayout nextLayout, bool discardContent, uint32_t baseMipLevel, uint32_t levelCount, uint32_t baseArrayLayer, uint32_t layerCount, bool updateTextureObject) {
577 auto& currentContext = contexts[contextIdx];
578
579 //
580 ThsvsImageBarrier svsImageBarrier = {
581 .prevAccessCount = static_cast<uint32_t>(accessTypes[1] != THSVS_ACCESS_NONE?2:1),
582 .pPrevAccesses = accessTypes.data(),
583 .nextAccessCount = static_cast<uint32_t>(nextAccessTypes[1] != THSVS_ACCESS_NONE?2:1),
584 .pNextAccesses = nextAccessTypes.data(),
585 .prevLayout = layout,
586 .nextLayout = nextLayout,
587 .discardContents = discardContent,
588 .srcQueueFamilyIndex = 0,
589 .dstQueueFamilyIndex = 0,
590 .image = textureObject->image,
591 .subresourceRange = {
592 .aspectMask = textureObject->aspectMask,
593 .baseMipLevel = baseMipLevel,
594 .levelCount = levelCount,
595 .baseArrayLayer = baseArrayLayer,
596 .layerCount = layerCount
597 }
598 };
599 VkImageMemoryBarrier vkImageMemoryBarrier;
600 VkPipelineStageFlags srcStages;
601 VkPipelineStageFlags dstStages;
602 thsvsGetVulkanImageMemoryBarrier(
603 svsImageBarrier,
604 &srcStages,
605 &dstStages,
606 &vkImageMemoryBarrier
607 );
608
609 //
610 prepareSetupCommandBuffer(contextIdx);
611 vkCmdPipelineBarrier(currentContext.setupCommandInUse, srcStages, dstStages, 0, 0, nullptr, 0, nullptr, 1, &vkImageMemoryBarrier);
612 finishSetupCommandBuffer(contextIdx);
613
614 //
615 textureObject->accessTypes[baseArrayLayer] = nextAccessTypes;
616 textureObject->svsLayout = nextLayout;
617 textureObject->vkLayout = vkImageMemoryBarrier.newLayout;
618}
619
620inline void VKRenderer::setImageLayout3(int contextIdx, VkImage image, VkImageAspectFlags aspectMask, const array<ThsvsAccessType,2>& accessTypes, const array<ThsvsAccessType,2>& nextAccessTypes, ThsvsImageLayout layout, ThsvsImageLayout nextLayout) {
621 auto& currentContext = contexts[contextIdx];
622
623 //
624 ThsvsImageBarrier svsImageBarrier = {
625 .prevAccessCount = static_cast<uint32_t>(accessTypes[1] != THSVS_ACCESS_NONE?2:1),
626 .pPrevAccesses = accessTypes.data(),
627 .nextAccessCount = static_cast<uint32_t>(nextAccessTypes[1] != THSVS_ACCESS_NONE?2:1),
628 .pNextAccesses = nextAccessTypes.data(),
629 .prevLayout = layout,
630 .nextLayout = nextLayout,
631 .discardContents = false,
632 .srcQueueFamilyIndex = 0,
633 .dstQueueFamilyIndex = 0,
634 .image = image,
635 .subresourceRange = {
636 .aspectMask = aspectMask,
637 .baseMipLevel = 0,
638 .levelCount = 1,
639 .baseArrayLayer = 0,
640 .layerCount = 1
641 }
642 };
643 VkImageMemoryBarrier vkImageMemoryBarrier;
644 VkPipelineStageFlags srcStages;
645 VkPipelineStageFlags dstStages;
646 thsvsGetVulkanImageMemoryBarrier(
647 svsImageBarrier,
648 &srcStages,
649 &dstStages,
650 &vkImageMemoryBarrier
651 );
652
653 //
654 prepareSetupCommandBuffer(contextIdx);
655 vkCmdPipelineBarrier(currentContext.setupCommandInUse, srcStages, dstStages, 0, 0, nullptr, 0, nullptr, 1, &vkImageMemoryBarrier);
656 finishSetupCommandBuffer(contextIdx);
657}
658
659inline uint32_t VKRenderer::getMipLevels(Texture* texture) {
660 if (texture->isUseMipMap() == false) return 1;
661 if (texture->getAtlasSize() > 1) {
662 auto borderSize = 32;
663 auto maxLevel = 0;
664 while (borderSize > 4) {
665 maxLevel++;
666 borderSize/= 2;
667 }
668 return maxLevel;
669 } else {
670 return static_cast<uint32_t>(std::floor(std::log2(std::max(texture->getTextureWidth(), texture->getTextureHeight())))) + 1;
671 }
672}
673
674inline void VKRenderer::prepareTextureImage(int contextIdx, struct texture_type* textureObject, VkImageTiling tiling, VkImageUsageFlags usage, VkFlags requiredFlags, Texture* texture, const array<ThsvsAccessType,2>& nextAccesses, ThsvsImageLayout imageLayout, bool disableMipMaps, uint32_t baseLevel, uint32_t levelCount) {
675 VkResult err;
676 bool pass;
677
678 auto textureWidth = static_cast<uint32_t>(texture->getTextureWidth());
679 auto textureHeight = static_cast<uint32_t>(texture->getTextureHeight());
680
681 const VkImageCreateInfo imageCreateInfo = {
682 .sType = VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO,
683 .pNext = nullptr,
684 .flags = 0,
685 .imageType = VK_IMAGE_TYPE_2D,
686 .format = texture->getDepth() == 32?VK_FORMAT_R8G8B8A8_UNORM:VK_FORMAT_R8G8B8A8_UNORM,
687 .extent = {
688 .width = textureWidth,
689 .height = textureHeight,
690 .depth = 1
691 },
692 .mipLevels = disableMipMaps == false && texture->isUseMipMap() == true?getMipLevels(texture):1,
693 .arrayLayers = 1,
694 .samples = VK_SAMPLE_COUNT_1_BIT,
695 .tiling = tiling,
696 .usage = usage,
697 .sharingMode = VK_SHARING_MODE_EXCLUSIVE,
698 .queueFamilyIndexCount = 0,
699 .pQueueFamilyIndices = 0,
700 .initialLayout = VK_IMAGE_LAYOUT_PREINITIALIZED
701 };
702
703 VmaAllocationCreateInfo imageAllocCreateInfo = {};
704 imageAllocCreateInfo.usage = VMA_MEMORY_USAGE_UNKNOWN;
705 imageAllocCreateInfo.requiredFlags = requiredFlags;
706
707 VmaAllocationInfo allocationInfo = {};
708 err = vmaCreateImage(vmaAllocator, &imageCreateInfo, &imageAllocCreateInfo, &textureObject->image, &textureObject->allocation, &allocationInfo);
709 assert(!err);
710
711 if ((requiredFlags & VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) == VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) {
712 const VkImageSubresource imageSubResource = {
713 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
714 .mipLevel = 0,
715 .arrayLayer = 0,
716 };
717 VkSubresourceLayout subResourceLayout;
718 vkGetImageSubresourceLayout(device, textureObject->image, &imageSubResource, &subResourceLayout);
719
720 //
722
723 //
724 void* data;
725 err = vmaMapMemory(vmaAllocator, textureObject->allocation, &data);
726 assert(!err);
727 auto bytesPerPixel = texture->getDepth() / 8;
728 auto textureBuffer = texture->getTextureData();
729 for (auto y = 0; y < textureHeight; y++) {
730 uint8_t* row = (uint8_t*)((uint8_t*)data + subResourceLayout.offset + subResourceLayout.rowPitch * y);
731 for (auto x = 0; x < textureWidth; x++) {
732 row[x * 4 + 0] = textureBuffer->get((y * textureWidth * bytesPerPixel) + (x * bytesPerPixel) + 0);
733 row[x * 4 + 1] = textureBuffer->get((y * textureWidth * bytesPerPixel) + (x * bytesPerPixel) + 1);
734 row[x * 4 + 2] = textureBuffer->get((y * textureWidth * bytesPerPixel) + (x * bytesPerPixel) + 2);
735 row[x * 4 + 3] = bytesPerPixel == 4?textureBuffer->get((y * textureWidth * bytesPerPixel) + (x * bytesPerPixel) + 3):0xff;
736 }
737 }
738 vmaFlushAllocation(vmaAllocator, textureObject->allocation, 0, VK_WHOLE_SIZE);
739 vmaUnmapMemory(vmaAllocator, textureObject->allocation);
740 //
742 }
743
744 //
745 textureObject->accessTypes = { THSVS_ACCESS_HOST_PREINITIALIZED, THSVS_ACCESS_NONE };
747 contextIdx,
748 textureObject,
749 nextAccesses,
750 THSVS_IMAGE_LAYOUT_OPTIMAL,
751 false,
752 baseLevel,
753 levelCount,
754 true
755 );
756}
757
759 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
760
761 VkResult err;
762 VkSwapchainKHR oldSwapchain = windowSwapchain;
763
764 // Check the surface capabilities and formats
765 VkSurfaceCapabilitiesKHR surfCapabilities;
767 assert(err == VK_SUCCESS);
768
769 uint32_t presentModeCount;
770 err = fpGetPhysicalDeviceSurfacePresentModesKHR(physicalDevice, surface, &presentModeCount, nullptr);
771 assert(err == VK_SUCCESS);
772 vector<VkPresentModeKHR> presentModes(presentModeCount);
773 err = fpGetPhysicalDeviceSurfacePresentModesKHR(physicalDevice, surface, &presentModeCount, presentModes.data());
774 assert(err == VK_SUCCESS);
775
776 VkExtent2D swapchainExtent;
777 // width and height are either both 0xFFFFFFFF, or both not 0xFFFFFFFF.
778 if (surfCapabilities.currentExtent.width == 0xFFFFFFFF) {
779 // If the surface size is undefined, the size is set to the size
780 // of the images requested, which must fit within the minimum and
781 // maximum values.
782 swapchainExtent.width = windowWidth;
783 swapchainExtent.height = windowHeight;
784
785 if (swapchainExtent.width < surfCapabilities.minImageExtent.width) {
786 swapchainExtent.width = surfCapabilities.minImageExtent.width;
787 } else if (swapchainExtent.width > surfCapabilities.maxImageExtent.width) {
788 swapchainExtent.width = surfCapabilities.maxImageExtent.width;
789 }
790
791 if (swapchainExtent.height < surfCapabilities.minImageExtent.height) {
792 swapchainExtent.height = surfCapabilities.minImageExtent.height;
793 } else if (swapchainExtent.height > surfCapabilities.maxImageExtent.height) {
794 swapchainExtent.height = surfCapabilities.maxImageExtent.height;
795 }
796 } else {
797 // If the surface size is defined, the swap chain size must match
798 swapchainExtent = surfCapabilities.currentExtent;
799 windowWidth = surfCapabilities.currentExtent.width;
800 windowHeight = surfCapabilities.currentExtent.height;
801 }
802
803 // Determine the number of VkImage's to use in the swap chain.
804 // Application desires to only acquire 1 image at a time (which is
805 // "surfCapabilities.minImageCount").
806 uint32_t desiredNumOfSwapchainImages = surfCapabilities.minImageCount;
807 // If maxImageCount is 0, we can ask for as many images as we want;
808 // otherwise we're limited to maxImageCount
809 if ((surfCapabilities.maxImageCount > 0) && (desiredNumOfSwapchainImages > surfCapabilities.maxImageCount)) {
810 // Application must settle for fewer images than desired:
811 desiredNumOfSwapchainImages = surfCapabilities.maxImageCount;
812 }
813
814 //
815 VkSurfaceTransformFlagsKHR preTransform {};
816 if (surfCapabilities.supportedTransforms & VK_SURFACE_TRANSFORM_IDENTITY_BIT_KHR) {
817 preTransform = VK_SURFACE_TRANSFORM_IDENTITY_BIT_KHR;
818 } else {
819 preTransform = surfCapabilities.currentTransform;
820 }
821
822 const VkSwapchainCreateInfoKHR swapchainCreateInfo = {
823 .sType = VK_STRUCTURE_TYPE_SWAPCHAIN_CREATE_INFO_KHR,
824 .pNext = nullptr,
825 .flags = 0,
826 .surface = surface,
827 .minImageCount = desiredNumOfSwapchainImages,
828 .imageFormat = windowFormat,
829 .imageColorSpace = windowColorSpace,
830 .imageExtent = {
831 .width = swapchainExtent.width,
832 .height = swapchainExtent.height
833 },
834 .imageArrayLayers = 1,
835 .imageUsage = VK_IMAGE_USAGE_COLOR_ATTACHMENT_BIT | VK_IMAGE_USAGE_TRANSFER_SRC_BIT,
836 .imageSharingMode = VK_SHARING_MODE_EXCLUSIVE,
837 .queueFamilyIndexCount = 0,
838 .pQueueFamilyIndices = 0,
839 .preTransform = (VkSurfaceTransformFlagBitsKHR)preTransform, /// TODO = a.drewke, ???
840 .compositeAlpha = VK_COMPOSITE_ALPHA_OPAQUE_BIT_KHR,
841 .presentMode = swapchainPresentMode,
842 .clipped = true,
843 .oldSwapchain = oldSwapchain,
844 };
845
846 err = fpCreateSwapchainKHR(device, &swapchainCreateInfo, nullptr, &windowSwapchain);
847 assert(!err);
848
849 // If we just re-created an existing swapchain, we should destroy the old
850 // swapchain at this point.
851 // Note: destroying the swapchain also cleans up all its associated
852 // presentable images once the platform is done with them.
853 if (oldSwapchain != VK_NULL_HANDLE) {
854 fpDestroySwapchainKHR(device, oldSwapchain, nullptr);
855 }
856
857 //
858 windowSwapchainImageCount = desiredNumOfSwapchainImages;
859
860 //
862 assert(err == VK_SUCCESS);
863
864 vector<VkImage> swapchainImages(windowSwapchainImageCount);
866 assert(err == VK_SUCCESS);
867
868 //
870 for (auto i = 0; i < windowFramebufferBuffers.size(); i++) {
871 //
872 windowFramebufferBuffers[i].width = swapchainExtent.width;
873 windowFramebufferBuffers[i].height = swapchainExtent.height;
874
875 //
876 VkImageViewCreateInfo colorAttachmentView = {
877 .sType = VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO,
878 .pNext = nullptr,
879 .flags = 0,
880 .image = swapchainImages[i],
881 .viewType = VK_IMAGE_VIEW_TYPE_2D,
882 .format = windowFormat,
883 .components = {
884 .r = VK_COMPONENT_SWIZZLE_R,
885 .g = VK_COMPONENT_SWIZZLE_G,
886 .b = VK_COMPONENT_SWIZZLE_B,
887 .a = VK_COMPONENT_SWIZZLE_A
888 },
889 .subresourceRange = {
890 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
891 .baseMipLevel = 0,
892 .levelCount = 1,
893 .baseArrayLayer = 0,
894 .layerCount = 1
895 }
896 };
897 windowFramebufferBuffers[i].image = swapchainImages[i];
898 err = vkCreateImageView(device, &colorAttachmentView, nullptr, &windowFramebufferBuffers[i].view);
899 assert(err == VK_SUCCESS);
900 }
901
903}
904
905const string VKRenderer::getVendor() {
906 return StringTools::tokenize(deviceName, " \t\n")[0];
907}
908
910 return deviceName + " [VK]";
911}
912
914{
915 return "gl3";
916}
917
919 return false;
920}
921
923{
924 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
925
926 // create VK shader cache folder
927 try {
928 if (FileSystem::getInstance()->fileExists("shader/vk") == false) {
929 FileSystem::getInstance()->createPath("shader/vk");
930 }
931 } catch (Exception& exception) {
932 Console::println(string() + "An error occurred: " + exception.what());
933 }
934
935 //
936 glfwGetWindowSize(Application::glfwWindow, (int32_t*)&windowWidth, (int32_t*)&windowHeight);
937
938 //
939 glslang::InitProcess();
940 glslang::InitThread();
941 ShInitialize();
942
943 VkResult err;
944 uint32_t i = 0;
945 uint32_t requiredExtensionCount = 0;
946 uint32_t instanceExtensionCount = 0;
947 uint32_t instanceLayerCount = 0;
948 uint32_t validationLayerCount = 0;
949 const char** requiredExtensions = nullptr;
950 const char** instanceValidationLayers = nullptr;
951
952 uint32_t enabledExtensionCount = 0;
953 uint32_t enabledLayerCount = 0;
954 array<const char*, 64> extensionNames {};
955 array<const char*, 64>enabledLayers {};
956
957 const char* instanceValidationLayersAlt1[] = {
958 "VK_LAYER_KHRONOS_validation"
959 };
960 const char* instanceValidationLayersAlt2[] = {
961 "VK_LAYER_LUNARG_standard_validation"
962 };
963
964 // enable validation layers if app runs in debug mode
965 auto enableValidationLayers = Application::getApplication()->isDebuggingEnabled();
966 if (enableValidationLayers == true) {
967 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): \"--debug\" mode enabled: Enabling validation layers");
968
969 VkBool32 validationFound = 0;
970 err = vkEnumerateInstanceLayerProperties(&instanceLayerCount, nullptr);
971 assert(!err);
972
973 instanceValidationLayers = (const char**)instanceValidationLayersAlt1;
974 if (instanceLayerCount > 0) {
975 vector<VkLayerProperties> instanceLayers(instanceLayerCount);
976 err = vkEnumerateInstanceLayerProperties(&instanceLayerCount, instanceLayers.data());
977 assert(!err);
978
979 validationFound = checkLayers(
980 ARRAY_SIZE(instanceValidationLayersAlt1),
981 instanceValidationLayers,
982 instanceLayers
983 );
984 if (validationFound) {
985 enabledLayerCount = ARRAY_SIZE(instanceValidationLayersAlt1);
986 enabledLayers[0] = "VK_LAYER_LUNARG_standard_validation";
987 validationLayerCount = 1;
988 } else {
989 // use alternative set of validation layers
990 instanceValidationLayers = (const char**) instanceValidationLayersAlt2;
991 enabledLayerCount = ARRAY_SIZE(instanceValidationLayersAlt2);
992 validationFound = checkLayers(
993 ARRAY_SIZE(instanceValidationLayersAlt2),
994 instanceValidationLayers,
995 instanceLayers
996 );
997 validationLayerCount = ARRAY_SIZE(instanceValidationLayersAlt2);
998 for (i = 0; i < validationLayerCount; i++) {
999 enabledLayers[i] = instanceValidationLayers[i];
1000 }
1001 }
1002 }
1003
1004 if (!validationFound) {
1005 ERR_EXIT("vkEnumerateInstanceLayerProperties failed to find "
1006 "required validation layer.\n\n"
1007 "Please look at the Getting Started guide for additional "
1008 "information.\n", "vkCreateInstance Failure");
1009 }
1010 }
1011
1012 // Look for instance extensions
1013 requiredExtensions = glfwGetRequiredInstanceExtensions(&requiredExtensionCount);
1014 if (!requiredExtensions) {
1015 ERR_EXIT("glfwGetRequiredInstanceExtensions failed to find the "
1016 "platform surface extensions.\n\nDo you have a compatible "
1017 "Vulkan installable client driver (ICD) installed?\nPlease "
1018 "look at the Getting Started guide for additional "
1019 "information.\n", "vkCreateInstance Failure"
1020 );
1021 }
1022
1023 for (i = 0; i < requiredExtensionCount; i++) {
1024 extensionNames[enabledExtensionCount++] = requiredExtensions[i];
1025 assert(enabledExtensionCount < 64);
1026 }
1027
1028 err = vkEnumerateInstanceExtensionProperties(
1029 nullptr, &instanceExtensionCount, nullptr);
1030 assert(!err);
1031
1032 if (instanceExtensionCount > 0) {
1033 vector<VkExtensionProperties> instanceExtensions(instanceExtensionCount);
1034 err = vkEnumerateInstanceExtensionProperties(nullptr, &instanceExtensionCount, instanceExtensions.data());
1035 assert(!err);
1036 for (i = 0; i < instanceExtensionCount; i++) {
1037 if (!strcmp(VK_EXT_DEBUG_REPORT_EXTENSION_NAME, instanceExtensions[i].extensionName)) {
1038 if (enableValidationLayers == true) {
1039 extensionNames[enabledExtensionCount++] = VK_EXT_DEBUG_REPORT_EXTENSION_NAME;
1040 }
1041 }
1042 assert(enabledExtensionCount < 64);
1043 }
1044 }
1045
1046 const VkApplicationInfo applicationInfo = {
1047 .sType = VK_STRUCTURE_TYPE_APPLICATION_INFO,
1048 .pNext = nullptr,
1049 .pApplicationName = Application::getApplication()->getTitle().c_str(),
1050 .applicationVersion = 0,
1051 .pEngineName = "TDME2",
1052 .engineVersion = 200,
1053 .apiVersion = VK_API_VERSION_1_0,
1054 };
1055 VkInstanceCreateInfo instanceCreateInfo = {
1056 .sType = VK_STRUCTURE_TYPE_INSTANCE_CREATE_INFO,
1057 .pNext = nullptr,
1058 .flags = 0,
1059 .pApplicationInfo = &applicationInfo,
1060 .enabledLayerCount = enabledLayerCount,
1061 .ppEnabledLayerNames = instanceValidationLayers,
1062 .enabledExtensionCount = enabledExtensionCount,
1063 .ppEnabledExtensionNames = extensionNames.data(),
1064 };
1065 err = vkCreateInstance(&instanceCreateInfo, nullptr, &instance);
1066 if (err == VK_ERROR_INCOMPATIBLE_DRIVER) {
1067 ERR_EXIT("Cannot find a compatible Vulkan installable client driver "
1068 "(ICD).\n\nPlease look at the Getting Started guide for "
1069 "additional information.\n", "vkCreateInstance Failure");
1070 } else
1071 if (err == VK_ERROR_EXTENSION_NOT_PRESENT) {
1072 ERR_EXIT("Cannot find a specified extension library"
1073 ".\nMake sure your layers path is set appropriately\n",
1074 "vkCreateInstance Failure");
1075 } else
1076 if (err) {
1077 ERR_EXIT("vkCreateInstance failed.\n\nDo you have a compatible Vulkan "
1078 "installable client driver (ICD) installed?\nPlease look at "
1079 "the Getting Started guide for additional information.\n",
1080 "vkCreateInstance Failure");
1081 }
1082
1083 // Make initial call to query gpu_count, then second call for gpu info
1084 uint32_t gpuCount = 0;
1085 err = vkEnumeratePhysicalDevices(instance, &gpuCount, nullptr);
1086 assert(!err && gpuCount > 0);
1087
1088 //
1089 if (gpuCount > 0) {
1090 vector<VkPhysicalDevice> physicalDevices(gpuCount);
1091 err = vkEnumeratePhysicalDevices(instance, &gpuCount, physicalDevices.data());
1092 assert(!err);
1093 physicalDevice = physicalDevices[0];
1094 } else {
1095 ERR_EXIT(
1096 "vkEnumeratePhysicalDevices reported zero accessible devices."
1097 "\n\nDo you have a compatible Vulkan installable client"
1098 " driver (ICD) installed?\nPlease look at the Getting Started"
1099 " guide for additional information.\n",
1100 "vkEnumeratePhysicalDevices Failure"
1101 );
1102 }
1103
1104 // Look for device extensions
1105 uint32_t deviceExtensionCount = 0;
1106 VkBool32 swapchainExtFound = 0;
1107 enabledExtensionCount = 0;
1108
1109 err = vkEnumerateDeviceExtensionProperties(physicalDevice, nullptr, &deviceExtensionCount, nullptr);
1110 assert(!err);
1111
1112 if (deviceExtensionCount > 0) {
1113 vector<VkExtensionProperties> deviceExtensions(deviceExtensionCount);
1114 err = vkEnumerateDeviceExtensionProperties(physicalDevice, nullptr, &deviceExtensionCount, deviceExtensions.data());
1115 assert(!err);
1116 for (i = 0; i < deviceExtensionCount; i++) {
1117 if (!strcmp(VK_KHR_SWAPCHAIN_EXTENSION_NAME, deviceExtensions[i].extensionName)) {
1118 swapchainExtFound = 1;
1119 extensionNames[enabledExtensionCount++] = VK_KHR_SWAPCHAIN_EXTENSION_NAME;
1120 }
1121 assert(enabledExtensionCount < 64);
1122 }
1123 }
1124
1125 if (!swapchainExtFound) {
1126 ERR_EXIT(
1127 "vkEnumerateDeviceExtensionProperties failed to find "
1128 "the " VK_KHR_SWAPCHAIN_EXTENSION_NAME
1129 " extension.\n\nDo you have a compatible "
1130 "Vulkan installable client driver (ICD) installed?\nPlease "
1131 "look at the Getting Started guide for additional "
1132 "information.\n", "vkCreateInstance Failure"
1133 );
1134 }
1135
1136 // Having these GIPA queries of device extension entry points both
1137 // BEFORE and AFTER vkCreateDevice is a good test for the loader
1138 GET_INSTANCE_PROC_ADDR(instance, GetPhysicalDeviceSurfaceCapabilitiesKHR);
1139 GET_INSTANCE_PROC_ADDR(instance, GetPhysicalDeviceSurfaceFormatsKHR);
1140 GET_INSTANCE_PROC_ADDR(instance, GetPhysicalDeviceSurfacePresentModesKHR);
1141 GET_INSTANCE_PROC_ADDR(instance, GetPhysicalDeviceSurfaceSupportKHR);
1142
1143 vkGetPhysicalDeviceProperties(physicalDevice, &gpuProperties);
1144
1145 //
1146 deviceName = gpuProperties.deviceName;
1147
1148 // Query with nullptr data to get count
1149 vkGetPhysicalDeviceQueueFamilyProperties(physicalDevice, &queueCount, nullptr);
1150
1151 queueProperties = new VkQueueFamilyProperties[queueCount];
1152 vkGetPhysicalDeviceQueueFamilyProperties(physicalDevice, &queueCount, queueProperties);
1153 assert(queueCount >= 1);
1154
1155 vkGetPhysicalDeviceFeatures(physicalDevice, &gpuFeatures);
1156
1157 // Create a WSI surface for the window:
1158 err = glfwCreateWindowSurface(instance, Application::glfwWindow, nullptr, &surface);
1159 assert(!err);
1160
1161 // Iterate over each queue to learn whether it supports presenting:
1162 vector<VkBool32> supportsPresent(queueCount);
1163 for (i = 0; i < queueCount; i++) {
1165 }
1166
1167 // Search for a graphics and a present queue in the array of queue
1168 // families, try to find one that supports both
1169 graphicsQueueNodeIndex = UINT32_MAX;
1170 uint32_t presentQueueNodeIndex = UINT32_MAX;
1171 for (i = 0; i < queueCount; i++) {
1172 if ((queueProperties[i].queueFlags & VK_QUEUE_GRAPHICS_BIT) != 0) {
1173 if (graphicsQueueNodeIndex == UINT32_MAX) {
1175 }
1176 if (supportsPresent[i] == VK_TRUE) {
1178 presentQueueNodeIndex = i;
1179 break;
1180 }
1181 }
1182 }
1183 if (presentQueueNodeIndex == UINT32_MAX) {
1184 // If didn't find a queue that supports both graphics and present, then
1185 // find a separate present queue.
1186 for (i = 0; i < queueCount; ++i) {
1187 if (supportsPresent[i] == VK_TRUE) {
1188 presentQueueNodeIndex = i;
1189 break;
1190 }
1191 }
1192 }
1193
1194 // Generate error if could not find both a graphics and a present queue
1195 if (graphicsQueueNodeIndex == UINT32_MAX || presentQueueNodeIndex == UINT32_MAX) {
1196 ERR_EXIT(
1197 "Could not find a graphics and a present queue\n",
1198 "Swapchain Initialization Failure"
1199 );
1200 }
1201
1202 // TODO: Add support for separate queues, including presentation,
1203 // synchronization, and appropriate tracking for QueueSubmit.
1204 // NOTE: While it is possible for an application to use a separate graphics
1205 // and a present queues, this demo program assumes it is only using
1206 // one:
1207 if (graphicsQueueNodeIndex != presentQueueNodeIndex) {
1208 ERR_EXIT(
1209 "Could not find a common graphics and a present queue\n",
1210 "Swapchain Initialization Failure"
1211 );
1212 }
1213
1214 // init_device
1215 array<float, 1> queuePriorities { 0.0f };
1216 const VkDeviceQueueCreateInfo queueCreateInfo = {
1217 .sType = VK_STRUCTURE_TYPE_DEVICE_QUEUE_CREATE_INFO,
1218 .pNext = nullptr,
1219 .flags = 0,
1220 .queueFamilyIndex = graphicsQueueNodeIndex,
1221 .queueCount = queuePriorities.size(),
1222 .pQueuePriorities = queuePriorities.data()
1223 };
1224
1225 VkPhysicalDeviceFeatures features {};
1226 if (gpuFeatures.shaderClipDistance) features.shaderClipDistance = VK_TRUE;
1227 if (gpuFeatures.wideLines) features.wideLines = VK_TRUE; // TODO: a.drewke, store enabled GPU features and check them on rendering if available
1228
1229 VkDeviceCreateInfo deviceCreateInfo = {
1230 .sType = VK_STRUCTURE_TYPE_DEVICE_CREATE_INFO,
1231 .pNext = nullptr,
1232 .flags = 0,
1233 .queueCreateInfoCount = 1,
1234 .pQueueCreateInfos = &queueCreateInfo,
1235 .enabledLayerCount = 0,
1236 .ppEnabledLayerNames = nullptr,
1237 .enabledExtensionCount = enabledExtensionCount,
1238 .ppEnabledExtensionNames = extensionNames.data(),
1239 .pEnabledFeatures = &features
1240 };
1241 err = vkCreateDevice(physicalDevice, &deviceCreateInfo, nullptr, &device);
1242 assert(!err);
1243
1244 GET_DEVICE_PROC_ADDR(device, CreateSwapchainKHR);
1245 GET_DEVICE_PROC_ADDR(device, DestroySwapchainKHR);
1246 GET_DEVICE_PROC_ADDR(device, GetSwapchainImagesKHR);
1247 GET_DEVICE_PROC_ADDR(device, AcquireNextImageKHR);
1248 GET_DEVICE_PROC_ADDR(device, QueuePresentKHR);
1249
1250 vkGetDeviceQueue(device, graphicsQueueNodeIndex, 0, &queue);
1251
1252 // Get the list of VkFormat's that are supported:
1253 uint32_t surfaceFormatCount;
1254 err = fpGetPhysicalDeviceSurfaceFormatsKHR(physicalDevice, surface, &surfaceFormatCount, nullptr);
1255 assert(!err);
1256 vector<VkSurfaceFormatKHR> surfaceFormats(surfaceFormatCount);
1257 err = fpGetPhysicalDeviceSurfaceFormatsKHR(physicalDevice, surface, &surfaceFormatCount, surfaceFormats.data());
1258 assert(!err);
1259
1260 // If the format list includes just one entry of VK_FORMAT_UNDEFINED,
1261 // the surface has no preferred format. Otherwise, at least one
1262 // supported format will be returned.
1263 // We for now only support VK_FORMAT_R8G8B8A8_UNORM
1264 if (surfaceFormatCount == 1 && surfaceFormats[0].format == VK_FORMAT_UNDEFINED) {
1265 windowFormat = VK_FORMAT_B8G8R8A8_UNORM;
1266 windowColorSpace = surfaceFormats[0].colorSpace;
1267 } else {
1268 for (auto i = 0; i < surfaceFormatCount; i++) {
1269 if (surfaceFormats[i].format == VK_FORMAT_B8G8R8A8_UNORM) {
1270 windowFormat = VK_FORMAT_B8G8R8A8_UNORM;
1271 windowColorSpace = surfaceFormats[i].colorSpace;
1272 break;
1273 }
1274 }
1275 }
1276 if (windowFormat == VK_FORMAT_UNDEFINED) {
1277 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): No format given");
1278 ERR_EXIT(
1279 "Could not use VK_FORMAT_R8G8B8A8_UNORM as format\n",
1280 "Format Failure"
1281 );
1282 }
1283
1284 // Get Memory information and properties
1285 vkGetPhysicalDeviceMemoryProperties(physicalDevice, &memoryProperties);
1286
1287 // initialize allocator
1288 VmaAllocatorCreateInfo allocatorCreateInfo = {};
1289 allocatorCreateInfo.physicalDevice = physicalDevice;
1290 allocatorCreateInfo.device = device;
1291 allocatorCreateInfo.instance = instance;
1292 allocatorCreateInfo.vulkanApiVersion = VK_API_VERSION_1_0;
1293
1294 //
1295 vmaCreateAllocator(&allocatorCreateInfo, &vmaAllocator);
1296
1297 // swap chain
1299
1300 // create descriptor pool 1
1301 {
1302 array<VkDescriptorPoolSize, 2> desc1TypesCount = {{
1303 {
1304 .type = VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER,
1305 // 100 shaders * 3 command buffers * 2 shader stages * 1 uniform buffers
1306 .descriptorCount = static_cast<uint32_t>(DESC_MAX_UNCACHED * Engine::getThreadCount() * SHADERS_MAX * DRAW_COMMANDBUFFER_MAX * SHADERSSTAGES_MAX * 1)
1307 },
1308 {
1309 .type = VK_DESCRIPTOR_TYPE_STORAGE_BUFFER,
1310 // 1 shader * 3 command buffers * 1 shader stage * 8 storage buffers
1312 }
1313 }};
1314 const VkDescriptorPoolCreateInfo descriptorPoolCreateInfo = {
1315 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_POOL_CREATE_INFO,
1316 .pNext = nullptr,
1317 .flags = 0,
1318 // 100 shaders * 2 stages
1319 .maxSets = static_cast<uint32_t>(DESC_MAX_UNCACHED * Engine::getThreadCount() * SHADERS_MAX * SHADERSSTAGES_MAX),
1320 .poolSizeCount = desc1TypesCount.size(),
1321 .pPoolSizes = desc1TypesCount.data(),
1322 };
1323 //
1324 err = vkCreateDescriptorPool(device, &descriptorPoolCreateInfo, nullptr, &descriptorPool1);
1325 assert(!err);
1326 }
1327
1328 // create descriptor pool 2
1329 {
1330 const VkDescriptorPoolSize desc2TypesCount = {
1331 .type = VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER,
1332 // 100 shaders * 2 stages * 8 image sampler
1333 .descriptorCount = static_cast<uint32_t>((DESC_MAX_CACHED + DESC_MAX_UNCACHED) * Engine::getThreadCount() * SHADERS_MAX * SHADERSSTAGES_MAX * TEXTUREUNITS_MAX)
1334 };
1335 const VkDescriptorPoolCreateInfo descriptorPoolCreateInfo = {
1336 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_POOL_CREATE_INFO,
1337 .pNext = nullptr,
1338 .flags = 0,
1339 // 100 shaders * 2 stages
1340 .maxSets = static_cast<uint32_t>((DESC_MAX_CACHED + DESC_MAX_UNCACHED) * Engine::getThreadCount() * SHADERS_MAX * SHADERSSTAGES_MAX),
1341 .poolSizeCount = 1,
1342 .pPoolSizes = &desc2TypesCount,
1343 };
1344 //
1345 err = vkCreateDescriptorPool(device, &descriptorPoolCreateInfo, nullptr, &descriptorPool2);
1346 assert(!err);
1347 }
1348
1349 //
1351 // create set up command buffers
1352 for (auto contextIdx = 0; contextIdx < Engine::getThreadCount(); contextIdx++) {
1353 auto& context = contexts[contextIdx];
1354 //
1355 context.idx = contextIdx;
1356 context.setupCommandInUse = VK_NULL_HANDLE;
1357 context.currentCommandBuffer = 0;
1358 context.pipelineIdx = ID_NONE;
1359 context.pipeline = VK_NULL_HANDLE;
1360 context.renderPassStarted = false;
1361
1362 //
1363 for (auto i = 0; i < DRAW_COMMANDBUFFER_MAX; i++) {
1364 context.commandBuffers[i].drawCmdStarted = false;
1365 VkFenceCreateInfo fenceCreateInfoSignaled = {
1366 .sType = VK_STRUCTURE_TYPE_FENCE_CREATE_INFO,
1367 .pNext = nullptr,
1368 .flags = VK_FENCE_CREATE_SIGNALED_BIT
1369 };
1370 vkCreateFence(device, &fenceCreateInfoSignaled, nullptr, &context.commandBuffers[i].drawFence);
1371 contextsDrawFences.push_back(context.commandBuffers[i].drawFence);
1372 }
1373
1374 //
1375 {
1376 // command pool
1377 const VkCommandPoolCreateInfo commandPoolCreateInfo = {
1378 .sType = VK_STRUCTURE_TYPE_COMMAND_POOL_CREATE_INFO,
1379 .pNext = nullptr,
1380 .flags = VK_COMMAND_POOL_CREATE_RESET_COMMAND_BUFFER_BIT,
1381 .queueFamilyIndex = graphicsQueueNodeIndex
1382 };
1383 err = vkCreateCommandPool(device, &commandPoolCreateInfo, nullptr, &context.setupCommandPool);
1384 assert(!err);
1385
1386 // command buffer
1387 const VkCommandBufferAllocateInfo commandBufferAllocationInfo = {
1388 .sType = VK_STRUCTURE_TYPE_COMMAND_BUFFER_ALLOCATE_INFO,
1389 .pNext = nullptr,
1390 .commandPool = context.setupCommandPool,
1391 .level = VK_COMMAND_BUFFER_LEVEL_PRIMARY,
1392 .commandBufferCount = 1
1393 };
1394 err = vkAllocateCommandBuffers(device, &commandBufferAllocationInfo, &context.setupCommand);
1395 assert(!err);
1396 }
1397
1398 {
1399 // draw command pool
1400 const VkCommandPoolCreateInfo commandPoolCreateInfo = {
1401 .sType = VK_STRUCTURE_TYPE_COMMAND_POOL_CREATE_INFO,
1402 .pNext = nullptr,
1403 .flags = VK_COMMAND_POOL_CREATE_RESET_COMMAND_BUFFER_BIT,
1404 .queueFamilyIndex = graphicsQueueNodeIndex
1405 };
1406 err = vkCreateCommandPool(device, &commandPoolCreateInfo, nullptr, &context.drawCommandPool);
1407 assert(!err);
1408
1409 // command buffer
1410 const VkCommandBufferAllocateInfo commandBufferAllocationInfo = {
1411 .sType = VK_STRUCTURE_TYPE_COMMAND_BUFFER_ALLOCATE_INFO,
1412 .pNext = nullptr,
1413 .commandPool = context.drawCommandPool,
1414 .level = VK_COMMAND_BUFFER_LEVEL_PRIMARY,
1415 .commandBufferCount = 1
1416 };
1417 for (auto i = 0; i < DRAW_COMMANDBUFFER_MAX; i++) {
1418 err = vkAllocateCommandBuffers(device, &commandBufferAllocationInfo, &context.commandBuffers[i].drawCommand);
1419 assert(!err);
1420 }
1421 }
1422
1423 {
1424 VkFenceCreateInfo fenceCreateInfo = {
1425 .sType = VK_STRUCTURE_TYPE_FENCE_CREATE_INFO,
1426 .pNext = nullptr,
1427 .flags = 0
1428 };
1429 vkCreateFence(device, &fenceCreateInfo, nullptr, &context.setupFence);
1430 }
1431 }
1432
1433 //
1434 buffers.fill(nullptr);
1435 textures.fill(nullptr);
1436
1437 //
1438 emptyVertexBufferId = createBufferObjects(1, true, true)[0];
1440 array<float, 16> bogusVertexBuffer = {{
1441 0.0f, 0.0f, 0.0f, 0.0f,
1442 0.0f, 0.0f, 0.0f, 0.0f,
1443 0.0f, 0.0f, 0.0f, 0.0f,
1444 0.0f, 0.0f, 0.0f, 0.0f,
1445 }};
1446 uploadBufferObjectInternal(0, emptyVertexBuffer, bogusVertexBuffer.size() * sizeof(float), (uint8_t*)bogusVertexBuffer.data(), (VkBufferUsageFlagBits)(VK_BUFFER_USAGE_TRANSFER_DST_BIT | VK_BUFFER_USAGE_VERTEX_BUFFER_BIT));
1448
1449 // fall back texture white
1450 whiteTextureSampler2dDefaultId = Engine::getInstance()->getTextureManager()->addTexture(TextureReader::read("resources/engine/textures", "transparent_pixel.png"), CONTEXTINDEX_DEFAULT);
1452
1453 // fallback cube map texture white
1455 "cubemap-default-white",
1456 TextureReader::read("resources/engine/textures", "transparent_pixel.png"),
1457 TextureReader::read("resources/engine/textures", "transparent_pixel.png"),
1458 TextureReader::read("resources/engine/textures", "transparent_pixel.png"),
1459 TextureReader::read("resources/engine/textures", "transparent_pixel.png"),
1460 TextureReader::read("resources/engine/textures", "transparent_pixel.png"),
1461 TextureReader::read("resources/engine/textures", "transparent_pixel.png"),
1463 );
1465
1466 //
1467 for (auto& context: contexts) unbindBufferObjects(context.idx);
1468
1469 //
1472
1473 // renderer contexts
1474 rendererContexts.resize(contexts.size());
1475 for (auto& rendererContext: rendererContexts) {
1476 for (auto i = 0; i < rendererContext.lights.size(); i++) {
1477 rendererContext.lights[i].spotCosCutoff = static_cast<float>(Math::cos(Math::PI / 180.0f * 180.0f));
1478 }
1479 rendererContext.textureMatrix.identity();
1480 }
1481}
1482
1484 VkResult err;
1485
1486 //
1487 if (renderPass != VK_NULL_HANDLE) vkDestroyRenderPass(device, renderPass, nullptr);
1488
1489 // depth buffer
1492 auto depthBufferTexture = getTextureInternal(depthBufferDefault);
1493
1494 //
1496 0,
1497 depthBufferTexture,
1498 { THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ, THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE },
1499 THSVS_IMAGE_LAYOUT_OPTIMAL,
1500 false
1501 );
1502
1503 // render pass
1504 array<VkAttachmentDescription, 2> attachments = {{
1505 {
1506 .flags = 0,
1507 .format = windowFormat,
1508 .samples = VK_SAMPLE_COUNT_1_BIT,
1509 .loadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
1510 .storeOp = VK_ATTACHMENT_STORE_OP_STORE,
1511 .stencilLoadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
1512 .stencilStoreOp = VK_ATTACHMENT_STORE_OP_DONT_CARE,
1513 .initialLayout = VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL,
1514 .finalLayout = VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL
1515 },
1516 {
1517 .flags = 0,
1518 .format = VK_FORMAT_D32_SFLOAT,
1519 .samples = VK_SAMPLE_COUNT_1_BIT,
1520 .loadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
1521 .storeOp = VK_ATTACHMENT_STORE_OP_DONT_CARE,
1522 .stencilLoadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
1523 .stencilStoreOp = VK_ATTACHMENT_STORE_OP_STORE,
1524 .initialLayout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL,
1525 .finalLayout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL
1526 }
1527 }};
1528 const VkAttachmentReference colorReference = {
1529 .attachment = 0,
1530 .layout = VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL,
1531 };
1532 const VkAttachmentReference depthReference = {
1533 .attachment = 1,
1534 .layout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL,
1535 };
1536 const VkSubpassDescription subPass = {
1537 .flags = 0,
1538 .pipelineBindPoint = VK_PIPELINE_BIND_POINT_GRAPHICS,
1539 .inputAttachmentCount = 0,
1540 .pInputAttachments = nullptr,
1541 .colorAttachmentCount = 1,
1542 .pColorAttachments = &colorReference,
1543 .pResolveAttachments = nullptr,
1544 .pDepthStencilAttachment = &depthReference,
1545 .preserveAttachmentCount = 0,
1546 .pPreserveAttachments = nullptr
1547 };
1548 const VkRenderPassCreateInfo rp_info = {
1549 .sType = VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO,
1550 .pNext = nullptr,
1551 .flags = 0,
1552 .attachmentCount = 2,
1553 .pAttachments = attachments.data(),
1554 .subpassCount = 1,
1555 .pSubpasses = &subPass,
1556 .dependencyCount = 0,
1557 .pDependencies = nullptr
1558 };
1559 err = vkCreateRenderPass(device, &rp_info, nullptr, &renderPass);
1560 assert(!err);
1561}
1562
1563inline void VKRenderer::startRenderPass(int contextIdx) {
1564 auto& currentContext = contexts[contextIdx];
1565
1566 if (currentContext.renderPassStarted == true) return;
1567 currentContext.renderPassStarted = true;
1568
1569 auto usedFrameBuffer = windowFramebufferBuffers[currentWindowFramebufferIdx].framebuffer;
1570 auto vkRenderPass = renderPass;
1571 if (boundFrameBufferId != ID_NONE) {
1572 auto frameBuffer = boundFrameBufferId < 0 || boundFrameBufferId >= framebuffers.size()?nullptr:framebuffers[boundFrameBufferId];
1573 if (frameBuffer == nullptr) {
1574 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): framebuffer not found: " + to_string(boundFrameBufferId));
1575 } else {
1576 usedFrameBuffer = frameBuffer->frameBuffer;
1577 vkRenderPass = frameBuffer->renderPass;
1578 }
1579 }
1580
1581 // TODO: clear here!!! If clearing was set up
1582 const VkRenderPassBeginInfo renderPassBegin = {
1583 .sType = VK_STRUCTURE_TYPE_RENDER_PASS_BEGIN_INFO,
1584 .pNext = nullptr,
1585 .renderPass = vkRenderPass,
1586 .framebuffer = usedFrameBuffer,
1587 .renderArea = scissor,
1588 .clearValueCount = 0,
1589 .pClearValues = nullptr
1590 };
1591 vkCmdBeginRenderPass(currentContext.commandBuffers[currentContext.currentCommandBuffer].drawCommand, &renderPassBegin, VK_SUBPASS_CONTENTS_INLINE);
1592
1593 //
1594 AtomicOperations::increment(statistics.renderPasses);
1595}
1596
1597inline void VKRenderer::endRenderPass(int contextIdx) {
1598 auto& currentContext = contexts[contextIdx];
1599 if (currentContext.renderPassStarted == false) return;
1600 currentContext.renderPassStarted = false;
1601 vkCmdEndRenderPass(currentContext.commandBuffers[currentContext.currentCommandBuffer].drawCommand);
1602}
1603
1605 array<VkImageView, 2> attachments;
1606 auto depthBufferTexture = getTextureInternal(depthBufferDefault);
1607 attachments[1] = depthBufferTexture->view;
1608
1609 const VkFramebufferCreateInfo frameBufferCreateInfo = {
1610 .sType = VK_STRUCTURE_TYPE_FRAMEBUFFER_CREATE_INFO,
1611 .pNext = nullptr,
1612 .flags = 0,
1613 .renderPass = renderPass,
1614 .attachmentCount = 2,
1615 .pAttachments = attachments.data(),
1616 .width = windowWidth,
1617 .height = windowHeight,
1618 .layers = 1
1619 };
1620
1621 for (auto i = 0; i < windowFramebufferBuffers.size(); i++) {
1622 attachments[0] = windowFramebufferBuffers[i].view;
1623 auto err = vkCreateFramebuffer(device, &frameBufferCreateInfo, nullptr, &windowFramebufferBuffers[i].framebuffer);
1624 assert(!err);
1625 }
1626}
1627
1629 Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
1630
1631 // new dimensions
1632 glfwGetWindowSize(Application::glfwWindow, (int32_t*)&windowWidth, (int32_t*)&windowHeight);
1633
1634 //
1635 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(windowWidth) + " x " + to_string(windowHeight));
1636
1637 // dispose old frame buffers
1638 for (auto i = 0; i < windowFramebufferBuffers.size(); i++) {
1639 vkDestroyFramebuffer(device, windowFramebufferBuffers[i].framebuffer, nullptr);
1640 windowFramebufferBuffers[i].framebuffer = VK_NULL_HANDLE;
1641 }
1642
1643 //
1645
1646 // reinit swapchain, renderpass and framebuffers
1650
1651 //
1654
1655 //
1657}
1658
1660{
1661 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
1662
1663 // work around for AMD drivers not telling if window needs to be reshaped
1664 {
1665 int32_t currentWidth;
1666 int32_t currentHeight;
1667 glfwGetWindowSize(Application::glfwWindow, &currentWidth, &currentHeight);
1668 auto needsReshape =
1669 (currentWidth > 0 && currentHeight > 0 && (currentWidth != windowWidth || currentHeight != windowHeight)) ||
1671 if (needsReshape == true) reshape();
1672 }
1673
1674 //
1675 VkResult err;
1676 VkSemaphoreCreateInfo semaphoreCreateInfo = {
1677 .sType = VK_STRUCTURE_TYPE_SEMAPHORE_CREATE_INFO,
1678 .pNext = nullptr,
1679 .flags = 0
1680 };
1681
1682 err = vkCreateSemaphore(device, &semaphoreCreateInfo, nullptr, &imageAcquiredSemaphore);
1683 assert(!err);
1684
1685 err = vkCreateSemaphore(device, &semaphoreCreateInfo, nullptr, &drawCompleteSemaphore);
1686 assert(!err);
1687
1688 //
1690
1691 // get the index of the next available swapchain image:
1693
1694 //
1695 if (err == VK_ERROR_OUT_OF_DATE_KHR) {
1696 // TODO: a.drewke
1697 //
1699 for (auto i = 0; i < Engine::getThreadCount(); i++) endRenderPass(i);
1700 vkDestroySemaphore(device, imageAcquiredSemaphore, nullptr);
1701 vkDestroySemaphore(device, drawCompleteSemaphore, nullptr);
1702
1703 //
1705
1706 // recreate semaphores
1707 err = vkCreateSemaphore(device, &semaphoreCreateInfo, nullptr, &imageAcquiredSemaphore);
1708 assert(!err);
1709
1710 err = vkCreateSemaphore(device, &semaphoreCreateInfo, nullptr, &drawCompleteSemaphore);
1711 assert(!err);
1712 } else
1713 if (err == VK_SUBOPTIMAL_KHR) {
1714 // demo->swapchain is not as optimal as it could be, but the platform's
1715 // presentation engine will still present the image correctly.
1716 } else {
1717 assert(!err);
1718 }
1719
1720 //
1721 for (auto i = 0; i < contexts.size(); i++) {
1722 contexts[i].commandCount = 0;
1723 }
1724}
1725
1727 // delete desc2 bound texture caches from programs with removed texture
1728 for (auto& context: contexts) {
1729 for (auto program: programVector) {
1730 if (program == nullptr || program->contexts[context.idx].texturesDescriptorSetsCacheTextureIds.empty() == true) continue;
1731 auto& programContext = program->contexts[context.idx];
1732 auto& descriptorSets2CacheTextureIds = programContext.texturesDescriptorSetsCacheTextureIds;
1733 auto descriptorSets2CacheTextureIdsIt = descriptorSets2CacheTextureIds.find(textureId);
1734 if (descriptorSets2CacheTextureIdsIt != descriptorSets2CacheTextureIds.end()) {
1735 auto& descriptorSets2Cache = programContext.texturesDescriptorSetsCache;
1736 for (auto& descriptorSets2CacheHash: descriptorSets2CacheTextureIdsIt->second) {
1737 auto descriptorSets2CacheHashIt = descriptorSets2Cache.find(descriptorSets2CacheHash);
1738 if (descriptorSets2CacheHashIt != descriptorSets2Cache.end()) {
1739 auto desc_sets2_idx = descriptorSets2CacheHashIt->second;
1740 programContext.freeTextureDescriptorSetsIds.push_back(desc_sets2_idx);
1741 descriptorSets2Cache.erase(descriptorSets2CacheHashIt);
1742 }
1743 }
1744 descriptorSets2CacheTextureIds.erase(descriptorSets2CacheTextureIdsIt);
1745 }
1746 }
1747 }
1748}
1749
1751 //
1752 auto clearedPipelinesParents = 0;
1753 auto clearedPipelines = 0;
1754
1755 // caches
1756 framebufferPipelinesCache = nullptr;
1757
1758 //
1760 for (auto i = 0; i < framebuffersPipelines.size(); i++) {
1761 auto& framebufferPipelines = framebuffersPipelines[i];
1762 // skip on compute
1763 if (framebufferPipelines->id == ID_NONE) continue;
1764 //
1765 for (auto pipeline: framebufferPipelines->pipelines) {
1766 if (pipeline != VK_NULL_HANDLE) {
1767 disposePipelines.push_back(pipeline);
1768 clearedPipelines++;
1769 }
1770 }
1771 delete framebufferPipelines;
1773 i--;
1774 clearedPipelinesParents++;
1775 }
1777
1778 //
1779 Console::println(
1780 "VKRenderer::" + string(__FUNCTION__) + "(): " +
1781 "cleared pipelines parents: " + to_string(clearedPipelinesParents) + ", " +
1782 "cleared pipelines: " + to_string(clearedPipelines)
1783 );
1784}
1785
1787{
1788 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
1789
1790 //
1792
1793 // flush command buffers
1794 for (auto& context: contexts) {
1795 unsetPipeline(context.idx);
1796 context.program = nullptr;
1797 }
1798
1799 // cache
1800 framebufferPipelinesCache = nullptr;
1801
1802 //
1803 array<ThsvsAccessType, 2> nextAccessTypes { THSVS_ACCESS_PRESENT, THSVS_ACCESS_NONE };
1804 ThsvsImageLayout nextLayout { THSVS_IMAGE_LAYOUT_OPTIMAL };
1805
1806 // check if we need a change at all
1807 if (windowFramebufferBuffers[currentWindowFramebufferIdx].accessTypes != nextAccessTypes || windowFramebufferBuffers[currentWindowFramebufferIdx].svsLayout != nextLayout) {
1808 ThsvsImageBarrier svsImageBarrier = {
1809 .prevAccessCount = static_cast<uint32_t>(windowFramebufferBuffers[currentWindowFramebufferIdx].accessTypes[1] != THSVS_ACCESS_NONE?2:1),
1810 .pPrevAccesses = windowFramebufferBuffers[currentWindowFramebufferIdx].accessTypes.data(),
1811 .nextAccessCount = static_cast<uint32_t>(nextAccessTypes[1] != THSVS_ACCESS_NONE?2:1),
1812 .pNextAccesses = nextAccessTypes.data(),
1814 .nextLayout = nextLayout,
1815 .discardContents = false,
1816 .srcQueueFamilyIndex = 0,
1817 .dstQueueFamilyIndex = 0,
1819 .subresourceRange = {
1820 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
1821 .baseMipLevel = 0,
1822 .levelCount = 1,
1823 .baseArrayLayer = 0,
1824 .layerCount = 1
1825 }
1826 };
1827 VkImageMemoryBarrier vkImageMemoryBarrier;
1828 VkPipelineStageFlags srcStages;
1829 VkPipelineStageFlags dstStages;
1830 thsvsGetVulkanImageMemoryBarrier(
1831 svsImageBarrier,
1832 &srcStages,
1833 &dstStages,
1834 &vkImageMemoryBarrier
1835 );
1836
1837 //
1838 VkResult err;
1839
1840 //
1842 vkCmdPipelineBarrier(contexts[0].setupCommandInUse, srcStages, dstStages, 0, 0, nullptr, 0, nullptr, 1, &vkImageMemoryBarrier);
1844
1845 //
1846 windowFramebufferBuffers[currentWindowFramebufferIdx].accessTypes = nextAccessTypes;
1848 }
1849
1850 //
1851 VkResult presentResult = VK_SUCCESS;
1852 VkPresentInfoKHR presentInfoKHR = {
1853 .sType = VK_STRUCTURE_TYPE_PRESENT_INFO_KHR,
1854 .pNext = nullptr,
1855 .waitSemaphoreCount = 0,
1856 .pWaitSemaphores = nullptr,
1857 .swapchainCount = 1,
1858 .pSwapchains = &windowSwapchain,
1859 .pImageIndices = &currentWindowFramebufferIdx,
1860 .pResults = &presentResult
1861 };
1862
1863 //
1864 VkResult err;
1865 err = fpQueuePresentKHR(queue, &presentInfoKHR);
1866 auto needsReshape = false;
1867 if (err == VK_ERROR_OUT_OF_DATE_KHR) {
1868 needsReshape = true;
1869 } else
1870 if (err == VK_SUBOPTIMAL_KHR) {
1871 // swapchain is not as optimal as it could be, but the platform's
1872 // presentation engine will still present the image correctly.
1873 needsReshape = true;
1874 } else {
1875 assert(!err);
1876 }
1877
1878 //
1879 vkDestroySemaphore(device, imageAcquiredSemaphore, nullptr);
1880 vkDestroySemaphore(device, drawCompleteSemaphore, nullptr);
1881
1882 // dispose renderer mapped resources
1883 if (disposeTextures.empty() == false ||
1884 disposeBuffers.empty() == false ||
1885 deleteBuffers.empty() == false ||
1886 deleteImages.empty() == false) {
1887 deleteMutex.lock();
1889 // disposing textures
1891 for (auto textureId: disposeTextures) {
1892 auto texture = getTextureInternal(textureId);
1893 if (texture == nullptr) {
1894 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): disposing texture: texture not found: " + to_string(textureId));
1895 continue;
1896 }
1897 // mark for deletion
1898 deleteImages.push_back(
1899 {
1900 .image = texture->image,
1901 .allocation = texture->allocation,
1902 .imageView = texture->view,
1903 .sampler = texture->sampler
1904 }
1905 );
1906 if (texture->cubemapColorBuffer != nullptr) {
1907 deleteImages.push_back(
1908 {
1909 .image = texture->cubemapColorBuffer->image,
1910 .allocation = texture->cubemapColorBuffer->allocation,
1911 .imageView = texture->cubemapColorBuffer->view,
1912 .sampler = texture->cubemapColorBuffer->sampler
1913 }
1914 );
1915 }
1916 if (texture->cubemapDepthBuffer != nullptr) {
1917 deleteImages.push_back(
1918 {
1919 .image = texture->cubemapDepthBuffer->image,
1920 .allocation = texture->cubemapDepthBuffer->allocation,
1921 .imageView = texture->cubemapDepthBuffer->view,
1922 .sampler = texture->cubemapDepthBuffer->sampler
1923 }
1924 );
1925 }
1926 //
1927 textures[textureId] = nullptr;
1928 delete texture;
1930 freeTextureIds.push_back(textureId);
1931 }
1933 disposeTextures.clear();
1934 // disposing buffer objects
1936 for (auto bufferObjectId: disposeBuffers) {
1937 auto buffer = getBufferObjectInternal(bufferObjectId);
1938 if (buffer == nullptr) {
1939 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): disposing buffer object: buffer with id " + to_string(bufferObjectId) + " does not exist");
1940 continue;
1941 }
1942 for (auto& reusableBufferIt: buffer->buffers) {
1943 auto& reusableBuffer = reusableBufferIt;
1944 if (reusableBuffer.size == 0) continue;
1945 // mark staging buffer for deletion when finishing frame
1946 deleteBuffers.push_back(
1947 {
1948 .buffer = reusableBuffer.buf,
1949 .allocation = reusableBuffer.allocation
1950 }
1951 );
1952 }
1953 buffers[bufferObjectId] = nullptr;
1954 delete buffer;
1955 freeBufferIds.push_back(bufferObjectId);
1956 }
1958 disposeBuffers.clear();
1959 // disposing pipelines
1960 for (auto pipeline: disposePipelines) {
1961 vkDestroyPipeline(device, pipeline, nullptr);
1962 }
1963 disposePipelines.clear();
1965
1966 // remove marked vulkan resources
1967 // buffers
1968 for (auto& deleteBuffer: deleteBuffers) {
1969 vmaUnmapMemory(vmaAllocator, deleteBuffer.allocation);
1970 vmaDestroyBuffer(vmaAllocator, deleteBuffer.buffer, deleteBuffer.allocation);
1971 }
1972 AtomicOperations::increment(statistics.disposedBuffers, deleteBuffers.size());
1973 deleteBuffers.clear();
1974 // textures
1975 for (auto& deleteImage: deleteImages) {
1976 if (deleteImage.imageView != VK_NULL_HANDLE) vkDestroyImageView(device, deleteImage.imageView, nullptr);
1977 if (deleteImage.sampler != VK_NULL_HANDLE) vkDestroySampler(device, deleteImage.sampler, nullptr);
1978 if (deleteImage.image != VK_NULL_HANDLE) vmaDestroyImage(vmaAllocator, deleteImage.image, deleteImage.allocation);
1979 }
1980 AtomicOperations::increment(statistics.disposedTextures, deleteImages.size());
1981 deleteImages.clear();
1982
1983 //
1985 }
1986
1987 // unbind bound resources
1988 uint32_t bufferSize = 0;
1989 for (auto& context: contexts) {
1990 context.boundIndicesBuffer = VK_NULL_HANDLE;
1991 context.boundBuffers.fill(getBindBufferObjectInternal(emptyVertexBufferId, bufferSize));
1992 context.boundBufferSizes.fill(bufferSize);
1993 context.boundTextures.fill(context_type::bound_texture());
1994 for (auto textureId: context.uploadedTextureIds) invalidateTextureDescriptorCaches(textureId);
1995 context.uploadedTextureIds.clear();
1996 }
1997
1998 //
1999 frame++;
2000}
2001
2003{
2004 return true;
2005}
2006
2008{
2009 return true;
2010}
2011
2013{
2014 return false;
2015}
2016
2018 return true;
2019}
2020
2021
2023{
2024 return true;
2025}
2026
2028{
2029 return true;
2030}
2031
2033 return true;
2034}
2035
2037{
2038 return true;
2039}
2040
2042 return true;
2043}
2044
2046 return false;
2047}
2048
2050 return false;
2051}
2052
2054 return true;
2055}
2056
2058{
2059 return TEXTUREUNITS_MAX;
2060}
2061
2062
2063int32_t VKRenderer::loadShader(int32_t type, const string& pathName, const string& fileName, const string& definitions, const string& functions)
2064{
2065 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): INIT: " + pathName + "/" + fileName + ": " + definitions);
2066
2067 auto shaderPtr = new shader_type();
2068 shaders[shaderIdx] = shaderPtr;
2069 auto& shader = *shaderPtr;
2070 shader.id = shaderIdx++;
2071
2072 //
2073 VKGL3CoreShaderProgram::loadShader(shader, type, pathName, fileName, definitions, functions);
2074
2075 //
2076 return shader.id;
2077}
2078
2079inline void VKRenderer::unsetPipeline(int contextIdx) {
2080 auto& currentContext = contexts[contextIdx];
2081
2082 //
2083 currentContext.pipelineIdx = ID_NONE;
2084 currentContext.pipeline = VK_NULL_HANDLE;
2085}
2086
2087inline void VKRenderer::createRasterizationStateCreateInfo(int contextIdx, VkPipelineRasterizationStateCreateInfo& rasterizationStateCreateInfo) {
2088 rasterizationStateCreateInfo.sType = VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_CREATE_INFO;
2089 rasterizationStateCreateInfo.polygonMode = VK_POLYGON_MODE_FILL;
2090 rasterizationStateCreateInfo.cullMode = contexts[contextIdx].cullingEnabled == true?cullMode:VK_CULL_MODE_NONE;
2091 rasterizationStateCreateInfo.frontFace = (VkFrontFace)(contexts[contextIdx].frontFace - 1);
2092 rasterizationStateCreateInfo.depthClampEnable = VK_FALSE;
2093 rasterizationStateCreateInfo.rasterizerDiscardEnable = VK_FALSE;
2094 rasterizationStateCreateInfo.depthBiasEnable = VK_FALSE;
2095 rasterizationStateCreateInfo.lineWidth = 1.0f;
2096}
2097
2098inline void VKRenderer::createColorBlendAttachmentState(VkPipelineColorBlendAttachmentState& blendAttachmentState) {
2099 blendAttachmentState.colorWriteMask = VK_COLOR_COMPONENT_R_BIT | VK_COLOR_COMPONENT_G_BIT | VK_COLOR_COMPONENT_B_BIT | VK_COLOR_COMPONENT_A_BIT;
2100 blendAttachmentState.blendEnable = blendingMode != BLENDING_NONE?VK_TRUE:VK_FALSE;
2101 blendAttachmentState.srcColorBlendFactor = blendingMode == BLENDING_NORMAL?VK_BLEND_FACTOR_SRC_ALPHA:VK_BLEND_FACTOR_ONE;
2102 blendAttachmentState.dstColorBlendFactor = blendingMode == BLENDING_NORMAL?VK_BLEND_FACTOR_ONE_MINUS_SRC_ALPHA:VK_BLEND_FACTOR_ONE;
2103 blendAttachmentState.colorBlendOp = VK_BLEND_OP_ADD;
2104 blendAttachmentState.srcAlphaBlendFactor = blendingMode == BLENDING_NORMAL?VK_BLEND_FACTOR_ONE:VK_BLEND_FACTOR_ONE;
2105 blendAttachmentState.dstAlphaBlendFactor = blendingMode == BLENDING_NORMAL?VK_BLEND_FACTOR_ONE_MINUS_SRC_ALPHA:VK_BLEND_FACTOR_ONE;
2106 blendAttachmentState.alphaBlendOp = VK_BLEND_OP_ADD;
2107}
2108
2109inline void VKRenderer::createDepthStencilStateCreateInfo(VkPipelineDepthStencilStateCreateInfo& depthStencilStateCreateInfo) {
2110 depthStencilStateCreateInfo.sType = VK_STRUCTURE_TYPE_PIPELINE_DEPTH_STENCIL_STATE_CREATE_INFO;
2111 depthStencilStateCreateInfo.depthTestEnable = depthBufferTesting == true?VK_TRUE:VK_FALSE;
2112 depthStencilStateCreateInfo.depthWriteEnable = depthBufferWriting == true?VK_TRUE:VK_FALSE;
2113 depthStencilStateCreateInfo.depthCompareOp = (VkCompareOp)depthFunction;
2114 depthStencilStateCreateInfo.back.failOp = VK_STENCIL_OP_KEEP;
2115 depthStencilStateCreateInfo.back.passOp = VK_STENCIL_OP_KEEP;
2116 depthStencilStateCreateInfo.back.compareOp = VK_COMPARE_OP_ALWAYS;
2117 depthStencilStateCreateInfo.stencilTestEnable = VK_FALSE;
2118 depthStencilStateCreateInfo.front = depthStencilStateCreateInfo.back;
2119 depthStencilStateCreateInfo.depthBoundsTestEnable = VK_FALSE;
2120 depthStencilStateCreateInfo.minDepthBounds = 0.0f;
2121 depthStencilStateCreateInfo.maxDepthBounds = 1.0f;
2122}
2123
2125 return
2126 (static_cast<uint64_t>(viewPortWidth) & 0xffff) +
2127 ((static_cast<uint64_t>(viewPortHeight) & 0xffff) << 16) +
2128 ((static_cast<uint64_t>(boundFrameBufferId) & 0xffff) << 32);
2129}
2130
2131inline uint16_t VKRenderer::createPipelineIndex(program_type* program, int contextIdx) {
2132 return
2133 (program->id & 0x7f) +
2134 ((contexts[contextIdx].cullingEnabled == true?cullMode:VK_CULL_MODE_NONE & 0x3) << 7) +
2135 ((contexts[contextIdx].frontFaceIndex & 0x3) << 9) +
2136 ((blendingMode & 0x3) << 11) +
2137 ((depthBufferTesting & 0x1) << 13) +
2138 ((depthBufferWriting & 0x1) << 14);
2139 // TODO: not yet in use, but later maybe: ((depthFunction & 0x7) << 15);
2140}
2141
2143 VkResult err;
2144 vector<VkDescriptorSetLayoutBinding> layoutBindings1(program->layoutBindings);
2145 vector<VkDescriptorSetLayoutBinding> layoutBindings2(program->layoutBindings);
2146
2147 // ubos, samplers
2148 auto samplerIdx = 0;
2149 auto uboIdx = 0;
2150 for (auto shader: program->shaders) {
2151 if (shader->uboBindingIdx != -1) {
2152 layoutBindings1[uboIdx++] = {
2153 .binding = static_cast<uint32_t>(shader->uboBindingIdx),
2154 .descriptorType = VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER,
2155 .descriptorCount = 1,
2156 .stageFlags = static_cast<VkShaderStageFlags>(shader->type),
2157 .pImmutableSamplers = nullptr
2158 };
2159 }
2160 // sampler2D + samplerCube
2161 for (auto uniform: shader->samplerUniformList) {
2162 layoutBindings2[samplerIdx++] = {
2163 .binding = static_cast<uint32_t>(uniform->position),
2164 .descriptorType = VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER,
2165 .descriptorCount = 1,
2166 .stageFlags = static_cast<VkShaderStageFlags>(shader->type),
2167 .pImmutableSamplers = nullptr
2168 };
2169 }
2170 }
2171
2172 {
2173 const VkDescriptorSetLayoutCreateInfo descriptorSetLayoutCreateInfo = {
2174 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_CREATE_INFO,
2175 .pNext = nullptr,
2176 .flags = 0,
2177 .bindingCount = static_cast<uint32_t>(uboIdx),
2178 .pBindings = layoutBindings1.data(),
2179 };
2180 err = vkCreateDescriptorSetLayout(device, &descriptorSetLayoutCreateInfo, nullptr, &program->uboDescriptorSetLayout);
2181 assert(!err);
2182 }
2183 {
2184 const VkDescriptorSetLayoutCreateInfo descriptorSetLayoutCreateInfo = {
2185 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_CREATE_INFO,
2186 .pNext = nullptr,
2187 .flags = 0,
2188 .bindingCount = static_cast<uint32_t>(samplerIdx),
2189 .pBindings = layoutBindings2.data(),
2190 };
2191 err = vkCreateDescriptorSetLayout(device, &descriptorSetLayoutCreateInfo, nullptr, &program->texturesDescriptorSetLayout);
2192 assert(!err);
2193 }
2194
2195 //
2196 array<VkDescriptorSetLayout, 2> descriptorSetLayouts { program->uboDescriptorSetLayout, program->texturesDescriptorSetLayout };
2197 const VkPipelineLayoutCreateInfo pipelineLayoutCreateInfo = {
2198 .sType = VK_STRUCTURE_TYPE_PIPELINE_LAYOUT_CREATE_INFO,
2199 .pNext = nullptr,
2200 .flags = 0,
2201 .setLayoutCount = descriptorSetLayouts.size(),
2202 .pSetLayouts = descriptorSetLayouts.data()
2203 };
2204
2205 //
2206 for (auto i = 0; i < DRAW_COMMANDBUFFER_MAX; i++) {
2207 array<VkDescriptorSetLayout, DESC_MAX_UNCACHED> descriptorSetLayouts1;
2208 descriptorSetLayouts1.fill(program->uboDescriptorSetLayout);
2209 //
2210 VkDescriptorSetAllocateInfo descriptorSetAllocateInfo = {
2211 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO,
2212 .pNext = nullptr,
2213 .descriptorPool = descriptorPool1,
2214 .descriptorSetCount = DESC_MAX_UNCACHED,
2215 .pSetLayouts = descriptorSetLayouts1.data()
2216 };
2217 for (auto& context: contexts) {
2218 err = vkAllocateDescriptorSets(device, &descriptorSetAllocateInfo, program->contexts[context.idx].commandBuffers[i].uboDescriptorSets.data());
2219 assert(!err);
2220 }
2221 }
2222
2223 //
2224 if (program->type == PROGRAM_OBJECTS) {
2225 array<VkDescriptorSetLayout, DESC_MAX_CACHED> descriptorSetLayouts2;
2226 descriptorSetLayouts2.fill(program->texturesDescriptorSetLayout);
2227 //
2228 VkDescriptorSetAllocateInfo descriptorSetAllocateInfo = {
2229 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO,
2230 .pNext = nullptr,
2231 .descriptorPool = descriptorPool2,
2232 .descriptorSetCount = DESC_MAX_CACHED,
2233 .pSetLayouts = descriptorSetLayouts2.data()
2234 };
2235 for (auto& context: contexts) {
2236 err = vkAllocateDescriptorSets(device, &descriptorSetAllocateInfo, program->contexts[context.idx].descriptorSets2.data());
2237 assert(!err);
2238 }
2239 }
2240
2241 //
2242 for (auto i = 0; i < DRAW_COMMANDBUFFER_MAX; i++) {
2243 array<VkDescriptorSetLayout, DESC_MAX_UNCACHED> descriptorSetLayouts2;
2244 descriptorSetLayouts2.fill(program->texturesDescriptorSetLayout);
2245 //
2246 VkDescriptorSetAllocateInfo descriptorSetAllocateInfo = {
2247 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO,
2248 .pNext = nullptr,
2249 .descriptorPool = descriptorPool2,
2250 .descriptorSetCount = DESC_MAX_UNCACHED,
2251 .pSetLayouts = descriptorSetLayouts2.data()
2252 };
2253 for (auto& context: contexts) {
2254 err = vkAllocateDescriptorSets(device, &descriptorSetAllocateInfo, program->contexts[context.idx].commandBuffers[i].texturesDescriptorSetsUncached.data());
2255 assert(!err);
2256 }
2257 }
2258
2259 //
2260 err = vkCreatePipelineLayout(device, &pipelineLayoutCreateInfo, nullptr, &program->pipelineLayout);
2261 assert(!err);
2262}
2263
2265 auto& currentContext = contexts[contextIdx];
2266
2267 //
2268 auto framebufferPipelines = getFramebufferPipelines(framebufferPipelinesId);
2269 if (framebufferPipelines == nullptr) {
2270 framebufferPipelines = createFramebufferPipelines(framebufferPipelinesId);
2271 }
2272
2273 //
2274 VkRenderPass usedRenderPass = renderPass;
2275 auto haveDepthBuffer = true;
2276 auto haveColorBuffer = true;
2277 auto haveGeometryBuffer = false;
2278 if (boundFrameBufferId != ID_NONE) {
2279 auto frameBuffer = boundFrameBufferId < 0 || boundFrameBufferId >= framebuffers.size()?nullptr:framebuffers[boundFrameBufferId];
2280 if (frameBuffer != nullptr) {
2281 haveDepthBuffer = frameBuffer->depthTextureId != ID_NONE;
2282 haveColorBuffer = frameBuffer->colorTextureId != ID_NONE;
2283 haveGeometryBuffer = frameBuffer->type == framebuffer_object_type::TYPE_GEOMETRYBUFFER;
2284 usedRenderPass = frameBuffer->renderPass;
2285 } else {
2286 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): framebuffer with id: " + to_string(boundFrameBufferId) + " not found!");
2287 }
2288 }
2289
2290 //
2291 VkResult err;
2292
2293 //
2294 VkGraphicsPipelineCreateInfo pipeline {};
2295
2296 // create pipepine
2297 VkPipelineCacheCreateInfo pipelineCacheCreateInfo {};
2298 VkPipelineCache pipelineCache = VK_NULL_HANDLE;
2299
2300 VkPipelineVertexInputStateCreateInfo vi {};
2301 VkPipelineInputAssemblyStateCreateInfo ia {};
2302 VkPipelineRasterizationStateCreateInfo rs {};
2303 VkPipelineColorBlendStateCreateInfo cb {};
2304 VkPipelineDepthStencilStateCreateInfo ds {};
2305 VkPipelineViewportStateCreateInfo vp {};
2306 VkPipelineMultisampleStateCreateInfo ms {};
2307
2308 createRasterizationStateCreateInfo(contextIdx, rs);
2310
2311 array<VkPipelineShaderStageCreateInfo, 2> shaderStages {};
2312
2313 // shader stages
2314 auto shaderIdx = 0;
2315 for (auto shader: program->shaders) {
2316 shaderStages[shaderIdx].sType = VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO;
2317 shaderStages[shaderIdx].stage = shader->type;
2318 shaderStages[shaderIdx].module = shader->module;
2319 shaderStages[shaderIdx].pName = "main";
2320 shaderIdx++;
2321 }
2322
2323 pipeline.sType = VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_CREATE_INFO;
2324 pipeline.stageCount = shaderIdx;
2325 pipeline.layout = program->pipelineLayout;
2326
2327 ia.sType = VK_STRUCTURE_TYPE_PIPELINE_INPUT_ASSEMBLY_STATE_CREATE_INFO;
2328 ia.topology = VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST;
2329
2330 array<VkPipelineColorBlendAttachmentState, 8> bas;
2331 if (haveColorBuffer == true) {
2333 } else
2334 if (haveGeometryBuffer == true) {
2335 for (auto i = 0; i < 8; i++) {
2337 }
2338 }
2339
2340 cb.sType = VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_STATE_CREATE_INFO;
2341 cb.logicOpEnable = VK_FALSE;
2342 cb.attachmentCount = haveColorBuffer == true?1:(haveGeometryBuffer == true?8:0);
2343 cb.pAttachments = haveColorBuffer == true || haveGeometryBuffer == true?bas.data():nullptr;
2344
2345 vp.sType = VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_STATE_CREATE_INFO;
2346 vp.viewportCount = 1;
2347 vp.pViewports = &viewport;
2348 vp.scissorCount = 1;
2349 vp.pScissors = &scissor;
2350
2351 ms.sType = VK_STRUCTURE_TYPE_PIPELINE_MULTISAMPLE_STATE_CREATE_INFO;
2352 ms.pSampleMask = nullptr;
2353 ms.rasterizationSamples = VK_SAMPLE_COUNT_1_BIT;
2354
2355 array<VkVertexInputBindingDescription, 10> vb {};
2356 array<VkVertexInputAttributeDescription, 13> va {};
2357
2358 // vertices
2359 vb[0].binding = 0;
2360 vb[0].stride = sizeof(float) * 3;
2361 vb[0].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2362 va[0].binding = 0;
2363 va[0].location = 0;
2364 va[0].format = VK_FORMAT_R32G32B32_SFLOAT;
2365 va[0].offset = 0;
2366
2367 // normals
2368 vb[1].binding = 1;
2369 vb[1].stride = sizeof(float) * 3;
2370 vb[1].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2371 va[1].binding = 1;
2372 va[1].location = 1;
2373 va[1].format = VK_FORMAT_R32G32B32_SFLOAT;
2374 va[1].offset = 0;
2375
2376 // texture coordinates
2377 vb[2].binding = 2;
2378 vb[2].stride = sizeof(float) * 2;
2379 vb[2].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2380 va[2].binding = 2;
2381 va[2].location = 2;
2382 va[2].format = VK_FORMAT_R32G32_SFLOAT;
2383 va[2].offset = 0;
2384
2385 // colors
2386 vb[3].binding = 3;
2387 vb[3].stride = sizeof(float) * 4;
2388 vb[3].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2389 va[3].binding = 3;
2390 va[3].location = 3;
2391 va[3].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2392 va[3].offset = 0;
2393
2394 // tangents
2395 vb[4].binding = 4;
2396 vb[4].stride = sizeof(float) * 3;
2397 vb[4].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2398 va[4].binding = 4;
2399 va[4].location = 4;
2400 va[4].format = VK_FORMAT_R32G32B32_SFLOAT;
2401 va[4].offset = 0;
2402
2403 // bitangents
2404 vb[5].binding = 5;
2405 vb[5].stride = sizeof(float) * 3;
2406 vb[5].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2407 va[5].binding = 5;
2408 va[5].location = 5;
2409 va[5].format = VK_FORMAT_R32G32B32_SFLOAT;
2410 va[5].offset = 0;
2411
2412 // model matrices 1
2413 vb[6].binding = 6;
2414 vb[6].stride = sizeof(float) * 4 * 4;
2415 vb[6].inputRate = VK_VERTEX_INPUT_RATE_INSTANCE;
2416 va[6].binding = 6;
2417 va[6].location = 6;
2418 va[6].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2419 va[6].offset = sizeof(float) * 4 * 0;
2420
2421 // model matrices 2
2422 va[7].binding = 6;
2423 va[7].location = 7;
2424 va[7].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2425 va[7].offset = sizeof(float) * 4 * 1;
2426
2427 // model matrices 3
2428 va[8].binding = 6;
2429 va[8].location = 8;
2430 va[8].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2431 va[8].offset = sizeof(float) * 4 * 2;
2432
2433 // model matrices 4
2434 va[9].binding = 6;
2435 va[9].location = 9;
2436 va[9].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2437 va[9].offset = sizeof(float) * 4 * 3;
2438
2439 // effect color mul
2440 vb[7].binding = 7;
2441 vb[7].stride = sizeof(float) * 4;
2442 vb[7].inputRate = VK_VERTEX_INPUT_RATE_INSTANCE;
2443 va[10].binding = 7;
2444 va[10].location = 10;
2445 va[10].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2446 va[10].offset = 0;
2447
2448 // effect color add
2449 vb[8].binding = 8;
2450 vb[8].stride = sizeof(float) * 4;
2451 vb[8].inputRate = VK_VERTEX_INPUT_RATE_INSTANCE;
2452 va[11].binding = 8;
2453 va[11].location = 11;
2454 va[11].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2455 va[11].offset = 0;
2456
2457 // origins
2458 vb[9].binding = 9;
2459 vb[9].stride = sizeof(float) * 3;
2460 vb[9].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2461 va[12].binding = 9;
2462 va[12].location = 12;
2463 va[12].format = VK_FORMAT_R32G32B32_SFLOAT;
2464 va[12].offset = 0;
2465
2466 vi.sType = VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_STATE_CREATE_INFO;
2467 vi.pNext = nullptr;
2468 vi.vertexBindingDescriptionCount = vb.size();
2469 vi.pVertexBindingDescriptions = vb.data();
2470 vi.vertexAttributeDescriptionCount = va.size();
2471 vi.pVertexAttributeDescriptions = va.data();
2472
2473 pipeline.pVertexInputState = &vi;
2474 pipeline.pInputAssemblyState = &ia;
2475 pipeline.pRasterizationState = &rs;
2476 pipeline.pColorBlendState = haveColorBuffer == true || haveGeometryBuffer == true?&cb:nullptr;
2477 pipeline.pMultisampleState = &ms;
2478 pipeline.pViewportState = &vp;
2479 pipeline.pDepthStencilState = haveDepthBuffer == true?&ds:nullptr;
2480 pipeline.pStages = shaderStages.data();
2481 pipeline.renderPass = usedRenderPass;
2482 pipeline.pDynamicState = nullptr;
2483
2484 pipelineCacheCreateInfo.sType = VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO;
2485 err = vkCreatePipelineCache(device, &pipelineCacheCreateInfo, nullptr, &pipelineCache);
2486 assert(!err);
2487
2488 err = vkCreateGraphicsPipelines(device, pipelineCache, 1, &pipeline, nullptr, &framebufferPipelines->pipelines[currentContext.pipelineIdx]);
2489 assert(!err);
2490
2491 //
2492 vkDestroyPipelineCache(device, pipelineCache, nullptr);
2493}
2494
2495inline void VKRenderer::setupObjectsRenderingPipeline(int contextIdx, program_type* program) {
2496 auto& currentContext = contexts[contextIdx];
2497 if (currentContext.pipelineIdx == ID_NONE || currentContext.pipeline == VK_NULL_HANDLE) {
2498 if (currentContext.pipelineIdx == ID_NONE) currentContext.pipelineIdx = createPipelineIndex(program, contextIdx);
2500 auto pipeline = getPipelineInternal(contextIdx, program, framebufferPipelinesId, currentContext.pipelineIdx);
2501 if (pipeline == VK_NULL_HANDLE) {
2502 createObjectsRenderingPipeline(contextIdx, program);
2503 pipeline = getPipelineInternal(contextIdx, program, framebufferPipelinesId, currentContext.pipelineIdx);
2504 }
2506 //
2507 auto& commandBuffer = currentContext.commandBuffers[currentContext.currentCommandBuffer];
2508 vkCmdBindPipeline(commandBuffer.drawCommand, VK_PIPELINE_BIND_POINT_GRAPHICS, pipeline);
2509 currentContext.pipeline = pipeline;
2510 }
2511}
2512
2514 auto& currentContext = contexts[contextIdx];
2515
2516 //
2517 auto framebufferPipelines = getFramebufferPipelines(framebufferPipelinesId);
2518 if (framebufferPipelines == nullptr) {
2519 framebufferPipelines = createFramebufferPipelines(framebufferPipelinesId);
2520 }
2521
2522 //
2523 VkRenderPass usedRenderPass = renderPass;
2524 auto haveDepthBuffer = true;
2525 auto haveColorBuffer = true;
2526 auto haveGeometryBuffer = false;
2527 if (boundFrameBufferId != ID_NONE) {
2528 auto frameBuffer = boundFrameBufferId < 0 || boundFrameBufferId >= framebuffers.size()?nullptr:framebuffers[boundFrameBufferId];
2529 if (frameBuffer != nullptr) {
2530 haveDepthBuffer = frameBuffer->depthTextureId != ID_NONE;
2531 haveColorBuffer = frameBuffer->colorTextureId != ID_NONE;
2532 haveGeometryBuffer = frameBuffer->type == framebuffer_object_type::TYPE_GEOMETRYBUFFER;
2533 usedRenderPass = frameBuffer->renderPass;
2534 }
2535 }
2536
2537 //
2538 VkResult err;
2539
2540 //
2541 VkGraphicsPipelineCreateInfo pipeline {};
2542
2543 // Stages
2544 array<VkPipelineShaderStageCreateInfo, 2> shaderStages {};
2545
2546 // shader stages
2547 auto shaderIdx = 0;
2548 for (auto shader: program->shaders) {
2549 shaderStages[shaderIdx].sType = VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO;
2550 shaderStages[shaderIdx].stage = shader->type;
2551 shaderStages[shaderIdx].module = shader->module;
2552 shaderStages[shaderIdx].pName = "main";
2553 shaderIdx++;
2554 }
2555
2556 // create pipepine
2557 VkPipelineCacheCreateInfo pipelineCacheCreateInfo {};
2558 VkPipelineCache pipelineCache = VK_NULL_HANDLE;
2559
2560 VkPipelineVertexInputStateCreateInfo vi {};
2561 VkPipelineInputAssemblyStateCreateInfo ia {};
2562 VkPipelineRasterizationStateCreateInfo rs {};
2563 VkPipelineColorBlendStateCreateInfo cb {};
2564 VkPipelineDepthStencilStateCreateInfo ds {};
2565 VkPipelineViewportStateCreateInfo vp {};
2566 VkPipelineMultisampleStateCreateInfo ms {};
2567
2568 createRasterizationStateCreateInfo(contextIdx, rs);
2570
2571 pipeline.sType = VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_CREATE_INFO;
2572 pipeline.stageCount = shaderIdx;
2573 pipeline.layout = program->pipelineLayout;
2574
2575 ia.sType = VK_STRUCTURE_TYPE_PIPELINE_INPUT_ASSEMBLY_STATE_CREATE_INFO;
2576 ia.topology = VK_PRIMITIVE_TOPOLOGY_POINT_LIST;
2577
2578 array<VkPipelineColorBlendAttachmentState, 8> bas;
2579 if (haveColorBuffer == true) {
2581 } else
2582 if (haveGeometryBuffer == true) {
2583 for (auto i = 0; i < 8; i++) {
2585 }
2586 }
2587 cb.sType = VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_STATE_CREATE_INFO;
2588 cb.logicOpEnable = VK_FALSE;
2589 cb.attachmentCount = haveColorBuffer == true?1:(haveGeometryBuffer == true?8:0);
2590 cb.pAttachments = haveColorBuffer == true || haveGeometryBuffer == true?bas.data():nullptr;
2591
2592 vp.sType = VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_STATE_CREATE_INFO;
2593 vp.viewportCount = 1;
2594 vp.pViewports = &viewport;
2595 vp.scissorCount = 1;
2596 vp.pScissors = &scissor;
2597
2598 ms.sType = VK_STRUCTURE_TYPE_PIPELINE_MULTISAMPLE_STATE_CREATE_INFO;
2599 ms.pSampleMask = nullptr;
2600 ms.rasterizationSamples = VK_SAMPLE_COUNT_1_BIT;
2601
2602 array<VkVertexInputBindingDescription, 9> vb {};
2603 array<VkVertexInputAttributeDescription, 9> va {};
2604
2605 // vertices
2606 vb[0].binding = 0;
2607 vb[0].stride = sizeof(float) * 3;
2608 vb[0].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2609 va[0].binding = 0;
2610 va[0].location = 0;
2611 va[0].format = VK_FORMAT_R32G32B32_SFLOAT;
2612 va[0].offset = 0;
2613
2614 // texture + sprite indices
2615 vb[1].binding = 1;
2616 vb[1].stride = sizeof(uint16_t) * 2;
2617 vb[1].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2618 va[1].binding = 1;
2619 va[1].location = 1;
2620 va[1].format = VK_FORMAT_R16G16_UINT;
2621 va[1].offset = 0;
2622
2623 // not in use
2624 vb[2].binding = 2;
2625 vb[2].stride = sizeof(float);
2626 vb[2].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2627 va[2].binding = 2;
2628 va[2].location = 2;
2629 va[2].format = VK_FORMAT_R32_SFLOAT;
2630 va[2].offset = 0;
2631
2632 // colors
2633 vb[3].binding = 3;
2634 vb[3].stride = sizeof(float) * 4;
2635 vb[3].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2636 va[3].binding = 3;
2637 va[3].location = 3;
2638 va[3].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2639 va[3].offset = 0;
2640
2641 // not in use
2642 vb[4].binding = 4;
2643 vb[4].stride = sizeof(float);
2644 vb[4].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2645 va[4].binding = 4;
2646 va[4].location = 4;
2647 va[4].format = VK_FORMAT_R32_SFLOAT;
2648 va[4].offset = 0;
2649
2650 // point size
2651 vb[5].binding = 5;
2652 vb[5].stride = sizeof(float);
2653 vb[5].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2654 va[5].binding = 5;
2655 va[5].location = 5;
2656 va[5].format = VK_FORMAT_R32_SFLOAT;
2657 va[5].offset = 0;
2658
2659 // sprite sheet dimension
2660 vb[6].binding = 6;
2661 vb[6].stride = sizeof(uint16_t) * 2;
2662 vb[6].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2663 va[6].binding = 6;
2664 va[6].location = 6;
2665 va[6].format = VK_FORMAT_R16G16_UINT;
2666 va[6].offset = 0;
2667
2668 // effect color mul
2669 vb[7].binding = 7;
2670 vb[7].stride = sizeof(float) * 4;
2671 vb[7].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2672 va[7].binding = 7;
2673 va[7].location = 10;
2674 va[7].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2675 va[7].offset = 0;
2676
2677 // effect color add
2678 vb[8].binding = 8;
2679 vb[8].stride = sizeof(float) * 4;
2680 vb[8].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2681 va[8].binding = 8;
2682 va[8].location = 11;
2683 va[8].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2684 va[8].offset = 0;
2685
2686 //
2687 vi.sType = VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_STATE_CREATE_INFO;
2688 vi.pNext = nullptr;
2689 vi.vertexBindingDescriptionCount = vb.size();
2690 vi.pVertexBindingDescriptions = vb.data();
2691 vi.vertexAttributeDescriptionCount = va.size();
2692 vi.pVertexAttributeDescriptions = va.data();
2693
2694 pipeline.pVertexInputState = &vi;
2695 pipeline.pInputAssemblyState = &ia;
2696 pipeline.pRasterizationState = &rs;
2697 pipeline.pColorBlendState = haveColorBuffer == true || haveGeometryBuffer == true?&cb:nullptr;
2698 pipeline.pMultisampleState = &ms;
2699 pipeline.pViewportState = &vp;
2700 pipeline.pDepthStencilState = haveDepthBuffer == true?&ds:nullptr;
2701 pipeline.pStages = shaderStages.data();
2702 pipeline.renderPass = usedRenderPass;
2703 pipeline.pDynamicState = nullptr;
2704
2705 pipelineCacheCreateInfo.sType = VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO;
2706 err = vkCreatePipelineCache(device, &pipelineCacheCreateInfo, nullptr, &pipelineCache);
2707 assert(!err);
2708
2709 err = vkCreateGraphicsPipelines(device, pipelineCache, 1, &pipeline, nullptr, &framebufferPipelines->pipelines[currentContext.pipelineIdx]);
2710 assert(!err);
2711
2712 //
2713 vkDestroyPipelineCache(device, pipelineCache, nullptr);
2714}
2715
2716inline void VKRenderer::setupPointsRenderingPipeline(int contextIdx, program_type* program) {
2717 auto& currentContext = contexts[contextIdx];
2718 if (currentContext.pipelineIdx == ID_NONE || currentContext.pipeline == VK_NULL_HANDLE) {
2719 if (currentContext.pipelineIdx == ID_NONE) currentContext.pipelineIdx = createPipelineIndex(program, contextIdx);
2721 auto pipeline = getPipelineInternal(contextIdx, program, framebufferPipelinesId, currentContext.pipelineIdx);
2722 if (pipeline == VK_NULL_HANDLE) {
2723 createPointsRenderingPipeline(contextIdx, program);
2724 pipeline = getPipelineInternal(contextIdx, program, framebufferPipelinesId, currentContext.pipelineIdx);
2725 }
2727
2728 //
2729 auto& commandBuffer = currentContext.commandBuffers[currentContext.currentCommandBuffer];
2730 vkCmdBindPipeline(commandBuffer.drawCommand, VK_PIPELINE_BIND_POINT_GRAPHICS, pipeline);
2731 currentContext.pipeline = pipeline;
2732 }
2733}
2734
2736 auto& currentContext = contexts[contextIdx];
2737
2738 //
2739 auto framebufferPipelines = getFramebufferPipelines(framebufferPipelinesId);
2740 if (framebufferPipelines == nullptr) {
2741 framebufferPipelines = createFramebufferPipelines(framebufferPipelinesId);
2742 }
2743
2744 //
2745 VkRenderPass usedRenderPass = renderPass;
2746 auto haveDepthBuffer = true;
2747 auto haveColorBuffer = true;
2748 auto haveGeometryBuffer = false;
2749 if (boundFrameBufferId != ID_NONE) {
2750 auto frameBuffer = boundFrameBufferId < 0 || boundFrameBufferId >= framebuffers.size()?nullptr:framebuffers[boundFrameBufferId];
2751 if (frameBuffer != nullptr) {
2752 haveDepthBuffer = frameBuffer->depthTextureId != ID_NONE;
2753 haveColorBuffer = frameBuffer->colorTextureId != ID_NONE;
2754 haveGeometryBuffer = frameBuffer->type == framebuffer_object_type::TYPE_GEOMETRYBUFFER;
2755 usedRenderPass = frameBuffer->renderPass;
2756 }
2757 }
2758
2759 //
2760 VkResult err;
2761
2762 //
2763 VkGraphicsPipelineCreateInfo pipeline {};
2764 VkPipelineCache pipelineCache = VK_NULL_HANDLE;
2765
2766 // Stages
2767 array<VkPipelineShaderStageCreateInfo, 2> shaderStages {};
2768
2769 // shader stages
2770 auto shaderIdx = 0;
2771 for (auto shader: program->shaders) {
2772 shaderStages[shaderIdx].sType = VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO;
2773 shaderStages[shaderIdx].stage = shader->type;
2774 shaderStages[shaderIdx].module = shader->module;
2775 shaderStages[shaderIdx].pName = "main";
2776 shaderIdx++;
2777 }
2778
2779 // create pipepine
2780 VkPipelineCacheCreateInfo pipelineCacheCreateInfo {};
2781
2782 VkPipelineVertexInputStateCreateInfo vi {};
2783 VkPipelineInputAssemblyStateCreateInfo ia {};
2784 VkPipelineRasterizationStateCreateInfo rs {};
2785 VkPipelineColorBlendStateCreateInfo cb {};
2786 VkPipelineDepthStencilStateCreateInfo ds {};
2787 VkPipelineViewportStateCreateInfo vp {};
2788 VkPipelineMultisampleStateCreateInfo ms {};
2789 array<VkDynamicState, 1> dse {};
2790 VkPipelineDynamicStateCreateInfo dsc {};
2791
2792 createRasterizationStateCreateInfo(contextIdx, rs);
2794
2795 dse[dsc.dynamicStateCount++] = VK_DYNAMIC_STATE_LINE_WIDTH;
2796 dsc.sType = VK_STRUCTURE_TYPE_PIPELINE_DYNAMIC_STATE_CREATE_INFO;
2797 dsc.pDynamicStates = dse.data();
2798
2799 pipeline.sType = VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_CREATE_INFO;
2800 pipeline.stageCount = shaderIdx;
2801 pipeline.layout = program->pipelineLayout;
2802
2803 ia.sType = VK_STRUCTURE_TYPE_PIPELINE_INPUT_ASSEMBLY_STATE_CREATE_INFO;
2804 ia.topology = VK_PRIMITIVE_TOPOLOGY_LINE_LIST;
2805
2806 array<VkPipelineColorBlendAttachmentState, 8> bas;
2807 if (haveColorBuffer == true) {
2809 } else
2810 if (haveGeometryBuffer == true) {
2811 for (auto i = 0; i < 8; i++) {
2813 }
2814 }
2815
2816 cb.sType = VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_STATE_CREATE_INFO;
2817 cb.logicOpEnable = VK_FALSE;
2818 cb.attachmentCount = haveColorBuffer == true?1:(haveGeometryBuffer == true?8:0);
2819 cb.pAttachments = haveColorBuffer == true || haveGeometryBuffer == true?bas.data():nullptr;
2820
2821 vp.sType = VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_STATE_CREATE_INFO;
2822 vp.viewportCount = 1;
2823 vp.pViewports = &viewport;
2824 vp.scissorCount = 1;
2825 vp.pScissors = &scissor;
2826
2827 ms.sType = VK_STRUCTURE_TYPE_PIPELINE_MULTISAMPLE_STATE_CREATE_INFO;
2828 ms.pSampleMask = nullptr;
2829 ms.rasterizationSamples = VK_SAMPLE_COUNT_1_BIT;
2830
2831 array<VkVertexInputBindingDescription, 4> vb {};
2832 array<VkVertexInputAttributeDescription, 4> va {};
2833
2834 // vertices
2835 vb[0].binding = 0;
2836 vb[0].stride = sizeof(float) * 3;
2837 vb[0].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2838 va[0].binding = 0;
2839 va[0].location = 0;
2840 va[0].format = VK_FORMAT_R32G32B32_SFLOAT;
2841 va[0].offset = 0;
2842
2843 // normals
2844 vb[1].binding = 1;
2845 vb[1].stride = sizeof(float) * 3;
2846 vb[1].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2847 va[1].binding = 1;
2848 va[1].location = 1;
2849 va[1].format = VK_FORMAT_R32G32B32_SFLOAT;
2850 va[1].offset = 0;
2851
2852 // texture coordinates
2853 vb[2].binding = 2;
2854 vb[2].stride = sizeof(float) * 2;
2855 vb[2].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2856 va[2].binding = 2;
2857 va[2].location = 2;
2858 va[2].format = VK_FORMAT_R32G32_SFLOAT;
2859 va[2].offset = 0;
2860
2861 // colors
2862 vb[3].binding = 3;
2863 vb[3].stride = sizeof(float) * 4;
2864 vb[3].inputRate = VK_VERTEX_INPUT_RATE_VERTEX;
2865 va[3].binding = 3;
2866 va[3].location = 3;
2867 va[3].format = VK_FORMAT_R32G32B32A32_SFLOAT;
2868 va[3].offset = 0;
2869
2870 vi.sType = VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_STATE_CREATE_INFO;
2871 vi.pNext = nullptr;
2872 vi.vertexBindingDescriptionCount = vb.size();
2873 vi.pVertexBindingDescriptions = vb.data();
2874 vi.vertexAttributeDescriptionCount = va.size();
2875 vi.pVertexAttributeDescriptions = va.data();
2876
2877 pipeline.pVertexInputState = &vi;
2878 pipeline.pInputAssemblyState = &ia;
2879 pipeline.pRasterizationState = &rs;
2880 pipeline.pColorBlendState = haveColorBuffer == true || haveGeometryBuffer == true?&cb:nullptr;
2881 pipeline.pMultisampleState = &ms;
2882 pipeline.pViewportState = &vp;
2883 pipeline.pDepthStencilState = haveDepthBuffer == true?&ds:nullptr;
2884 pipeline.pStages = shaderStages.data();
2885 pipeline.renderPass = usedRenderPass;
2886 pipeline.pDynamicState = &dsc;
2887
2888 pipelineCacheCreateInfo.sType = VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO;
2889 err = vkCreatePipelineCache(device, &pipelineCacheCreateInfo, nullptr, &pipelineCache);
2890 assert(!err);
2891
2892 err = vkCreateGraphicsPipelines(device, pipelineCache, 1, &pipeline, nullptr, &framebufferPipelines->pipelines[currentContext.pipelineIdx]);
2893 assert(!err);
2894
2895 //
2896 vkDestroyPipelineCache(device, pipelineCache, nullptr);
2897}
2898
2899inline void VKRenderer::setupLinesRenderingPipeline(int contextIdx, program_type* program) {
2900 auto& currentContext = contexts[contextIdx];
2901 if (currentContext.pipelineIdx == ID_NONE || currentContext.pipeline == VK_NULL_HANDLE) {
2902 if (currentContext.pipelineIdx == ID_NONE) currentContext.pipelineIdx = createPipelineIndex(program, contextIdx);
2904 auto pipeline = getPipelineInternal(contextIdx, program, framebufferPipelinesId, currentContext.pipelineIdx);
2905 if (pipeline == VK_NULL_HANDLE) {
2906 createLinesRenderingPipeline(contextIdx, program);
2907 pipeline = getPipelineInternal(contextIdx, program, framebufferPipelinesId, currentContext.pipelineIdx);
2908 }
2910
2911 //
2912 auto& commandBuffer = currentContext.commandBuffers[currentContext.currentCommandBuffer];
2913 vkCmdBindPipeline(commandBuffer.drawCommand, VK_PIPELINE_BIND_POINT_GRAPHICS, pipeline);
2914 currentContext.pipeline = pipeline;
2915 }
2916}
2917
2919 //
2921
2922 //
2923 auto framebufferPipelines = getFramebufferPipelines(ID_NONE);
2924 if (framebufferPipelines == nullptr) {
2925 framebufferPipelines = createFramebufferPipelines(ID_NONE);
2926 }
2927
2928 //
2929 VkResult err;
2930
2931 //
2932 vector<VkDescriptorSetLayoutBinding> layoutBindings1(program->layoutBindings);
2933
2934 // Stages
2935 vector<VkPipelineShaderStageCreateInfo> shaderStages(program->shaders.size());
2936
2937 auto shaderIdx = 0;
2938 for (auto shader: program->shaders) {
2939 shaderStages[shaderIdx].sType = VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO;
2940 shaderStages[shaderIdx].stage = shader->type;
2941 shaderStages[shaderIdx].module = shader->module;
2942 shaderStages[shaderIdx].pName = "main";
2943
2944 for (int i = 0; i <= shader->maxBindings; i++) {
2945 layoutBindings1[i] = {
2946 .binding = static_cast<uint32_t>(i),
2947 .descriptorType = VK_DESCRIPTOR_TYPE_STORAGE_BUFFER,
2948 .descriptorCount = 1,
2949 .stageFlags = static_cast<VkShaderStageFlags>(shader->type),
2950 .pImmutableSamplers = nullptr
2951 };
2952 }
2953
2954 if (shader->uboBindingIdx != -1) {
2955 layoutBindings1[shader->uboBindingIdx] = {
2956 .binding = static_cast<uint32_t>(shader->uboBindingIdx),
2957 .descriptorType = VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER,
2958 .descriptorCount = 1,
2959 .stageFlags = static_cast<VkShaderStageFlags>(shader->type),
2960 .pImmutableSamplers = nullptr
2961 };
2962 }
2963 shaderIdx++;
2964 }
2965 const VkDescriptorSetLayoutCreateInfo descriptorSetlayoutCreateInfo = {
2966 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_CREATE_INFO,
2967 .pNext = nullptr,
2968 .flags = 0,
2969 .bindingCount = program->layoutBindings,
2970 .pBindings = layoutBindings1.data(),
2971 };
2972
2973 err = vkCreateDescriptorSetLayout(device, &descriptorSetlayoutCreateInfo, nullptr, &program->uboDescriptorSetLayout);
2974 assert(!err);
2975
2976 //
2977 const VkPipelineLayoutCreateInfo pPipelineLayoutCreateInfo = {
2978 .sType = VK_STRUCTURE_TYPE_PIPELINE_LAYOUT_CREATE_INFO,
2979 .pNext = nullptr,
2980 .flags = 0,
2981 .setLayoutCount = 1,
2982 .pSetLayouts = &program->uboDescriptorSetLayout
2983 };
2984
2985 //
2986 for (auto i = 0; i < DRAW_COMMANDBUFFER_MAX; i++) {
2987 array<VkDescriptorSetLayout, DESC_MAX_UNCACHED> descriptorSetLayouts1;
2988 descriptorSetLayouts1.fill(program->uboDescriptorSetLayout);
2989 //
2990 VkDescriptorSetAllocateInfo descriptorSetAllocateInfo = {
2991 .sType = VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO,
2992 .pNext = nullptr,
2993 .descriptorPool = descriptorPool1,
2994 .descriptorSetCount = DESC_MAX_UNCACHED,
2995 .pSetLayouts = descriptorSetLayouts1.data()
2996 };
2997 for (auto& context: contexts) {
2998 err = vkAllocateDescriptorSets(device, &descriptorSetAllocateInfo, program->contexts[context.idx].commandBuffers[i].uboDescriptorSets.data());
2999 assert(!err);
3000 }
3001 }
3002
3003 //
3004 err = vkCreatePipelineLayout(device, &pPipelineLayoutCreateInfo, nullptr, &program->pipelineLayout);
3005 assert(!err);
3006
3007 // create pipepine
3008 VkPipelineCacheCreateInfo pipelineCacheCreateInfo = {
3009 .sType = VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO,
3010 .pNext = nullptr,
3011 .flags = 0,
3012 .initialDataSize = 0,
3013 .pInitialData = nullptr
3014 };
3015 VkPipelineCache pipelineCache = VK_NULL_HANDLE;
3016
3017 err = vkCreatePipelineCache(device, &pipelineCacheCreateInfo, nullptr, &pipelineCache);
3018 assert(!err);
3019
3020 // create pipepine
3021 VkComputePipelineCreateInfo pipeline = {
3022 .sType = VK_STRUCTURE_TYPE_COMPUTE_PIPELINE_CREATE_INFO,
3023 .pNext = nullptr,
3024 .flags = 0,
3025 .stage = shaderStages[0],
3026 .layout = program->pipelineLayout,
3027 .basePipelineHandle = nullptr,
3028 .basePipelineIndex = 0
3029 };
3030
3031 //
3032 err = vkCreateComputePipelines(device, pipelineCache, 1, &pipeline, nullptr, &framebufferPipelines->pipelines[ID_NONE]);
3033 assert(!err);
3034
3035 //
3036 vkDestroyPipelineCache(device, pipelineCache, nullptr);
3037
3038 //
3040}
3041
3042inline void VKRenderer::setupSkinningComputingPipeline(int contextIdx, program_type* program) {
3043 auto& currentContext = contexts[contextIdx];
3044 if (currentContext.pipelineIdx == ID_NONE || currentContext.pipeline == VK_NULL_HANDLE) {
3046 auto pipeline = getPipelineInternal(contextIdx, program, ID_NONE, ID_NONE);
3048
3049 //
3050 vkCmdBindPipeline(currentContext.commandBuffers[currentContext.currentCommandBuffer].drawCommand, VK_PIPELINE_BIND_POINT_COMPUTE, pipeline);
3051 currentContext.pipeline = pipeline;
3052 }
3053}
3054
3055void VKRenderer::useProgram(int contextIdx, int32_t programId)
3056{
3057 auto& currentContext = contexts[contextIdx];
3058
3059 //
3060 if (currentContext.program != nullptr && currentContext.program->id == programId) return;
3061
3062 //
3063 unsetPipeline(currentContext.idx);
3064
3065 //
3066 currentContext.program = nullptr;
3067
3068 //
3069 if (programId == ID_NONE) return;
3070
3071 //
3072 if (programId < ID_NONE || programId >= programVector.size()) {
3073 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): program does not exist: " + to_string(programId));
3074 return;
3075 }
3076
3077 //
3078 auto program = programVector[programId];
3079 currentContext.program = program;
3080}
3081
3083{
3084 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
3085 if (programVector.size() >= PROGRAMS_MAX) {
3086 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): could not create program, maximum is " + to_string(PROGRAMS_MAX));
3087 return ID_NONE;
3088 }
3089 auto programPtr = new program_type();
3090 auto& program = *programPtr;
3091 program.type = type;
3092 program.id = programVector.size();
3093 program.contexts.resize(Engine::getThreadCount());
3094 for (auto& programContext: program.contexts) {
3095 programContext.descriptorSets2Idx = 0;
3096 programContext.descriptorSets2.fill(VK_NULL_HANDLE);
3097 for (auto& programContextCommandBuffer: programContext.commandBuffers) {
3098 programContextCommandBuffer.uboDescriptorSetsIdx = 0;
3099 programContextCommandBuffer.texturesDescriptorSetsIdxUncached = 0;
3100 programContextCommandBuffer.uboDescriptorSets.fill(VK_NULL_HANDLE);
3101 programContextCommandBuffer.texturesDescriptorSetsUncached.fill(VK_NULL_HANDLE);
3102 }
3103 }
3104 programVector.push_back(programPtr);
3105 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): program id: " + to_string(program.id));
3106 return program.id;
3107}
3108
3109void VKRenderer::attachShaderToProgram(int32_t programId, int32_t shaderId)
3110{
3111 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
3112 auto shaderIt = shaders.find(shaderId);
3113 if (shaderIt == shaders.end()) {
3114 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): shader does not exist");
3115 return;
3116 }
3117 if (programId < 0 || programId >= programVector.size()) {
3118 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): program does not exist");
3119 return;
3120 }
3121 auto program = programVector[programId];
3122 program->shaderIds.push_back(shaderId);
3123 program->shaders.push_back(shaderIt->second);
3124}
3125
3126bool VKRenderer::linkProgram(int32_t programId)
3127{
3128 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(programId));
3129 if (programId < 0 || programId >= programVector.size()) {
3130 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): program does not exist");
3131 return false;
3132 }
3133
3134 //
3135 auto& program = *programVector[programId];
3136
3137 //
3139
3140 // create uniform buffers
3141 for (auto shader: program.shaders) {
3142 // do we need a uniform buffer object for this shader stage?
3143 if (shader->uboSize > 0) {
3144 shader->uniformBuffers.resize(Engine::getThreadCount());
3145 for (auto& context: contexts) {
3146 auto& uniformBuffer = shader->uniformBuffers[context.idx];
3147 uniformBuffer.size = shader->uboSize;
3148 uniformBuffer.uniformBufferData.resize(shader->uboSize);
3149 for (auto& uniformBufferBuffer: uniformBuffer.buffers) {
3150 VmaAllocationInfo allocationInfo = {};
3152 uniformBuffer.size,
3153 VK_BUFFER_USAGE_UNIFORM_BUFFER_BIT,
3154 VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT,
3155 uniformBufferBuffer.buffer,
3156 uniformBufferBuffer.allocation,
3157 allocationInfo
3158 );
3159 VkMemoryPropertyFlags memoryFlags;
3160 vmaGetMemoryTypeProperties(vmaAllocator, allocationInfo.memoryType, &memoryFlags);
3161 auto memoryMapped = (memoryFlags & VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) == VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT;
3162 if (memoryMapped == true) {
3163 void* mmData;
3164 vmaMapMemory(vmaAllocator, uniformBufferBuffer.allocation, &mmData);
3165 } else {
3166 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): Could not create memory mappable uniform buffer");
3167 }
3168 }
3169 };
3170 }
3171 }
3172
3173 // bind samplers, set up ingoing attribute layout indices, compile shaders
3174 shader_type* shaderLast = nullptr;
3175 for (auto shader: program.shaders) {
3176 // create shader module
3177 {
3178 VkResult err;
3179 VkShaderModuleCreateInfo shaderModuleCreateInfo;
3180 shaderModuleCreateInfo.sType = VK_STRUCTURE_TYPE_SHADER_MODULE_CREATE_INFO;
3181 shaderModuleCreateInfo.pNext = nullptr;
3182 shaderModuleCreateInfo.codeSize = shader->spirv.size() * sizeof(uint32_t);
3183 shaderModuleCreateInfo.pCode = shader->spirv.data();
3184 shaderModuleCreateInfo.flags = 0;
3185 err = vkCreateShaderModule(device, &shaderModuleCreateInfo, nullptr, &shader->module);
3186 if (err == VK_SUCCESS) {
3187 if (VERBOSE == true) {
3188 Console::println(
3189 string(
3190 string("VKRenderer::") +
3191 string(__FUNCTION__) +
3192 string("[") +
3193 to_string(shader->id) +
3194 string("]") +
3195 string(": SUCCESS")
3196 )
3197 );
3198 }
3199 } else {
3200 Console::println(
3201 string(
3202 string("VKRenderer::") +
3203 string(__FUNCTION__) +
3204 string("[") +
3205 to_string(shader->id) +
3206 string("]") +
3207 string(": FAILED")
3208 )
3209 );
3210 Console::println(shader->source);
3211 return false;
3212 }
3213 }
3214
3215 //
3216 shaderLast = shader;
3217 }
3218
3219 // create programs in terms of ubos and so on
3220 if (program.type == PROGRAM_OBJECTS || program.type == PROGRAM_POINTS || program.type == PROGRAM_LINES) {
3221 createRenderProgram(&program);
3222 } else
3223 if (program.type == PROGRAM_COMPUTE) {
3225 } else {
3226 Console::println(
3227 string("VKRenderer::") +
3228 string(__FUNCTION__) +
3229 string("[") +
3230 to_string(programId) +
3231 string("]") +
3232 string(": unknown program: ") +
3233 to_string(program.type)
3234 );
3235 }
3236
3237 //
3238 return true;
3239}
3240
3241int32_t VKRenderer::getProgramUniformLocation(int32_t programId, const string& name)
3242{
3243 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + name);
3244 if (programId < 0 || programId >= programVector.size()) {
3245 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): program does not exist");
3246 return -1;
3247 }
3248 auto program = programVector[programId];
3249 for (auto& uniformIt: program->uniforms) {
3250 if (uniformIt.second == name) {
3251 return uniformIt.first;
3252 }
3253 }
3254 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): uniform not found: '" + name + "'");
3255 return -1;
3256}
3257
3258inline void VKRenderer::setProgramUniformInternal(int contextIdx, int32_t uniformId, uint8_t* data, int32_t size) {
3259 auto& currentContext = contexts[contextIdx];
3260
3261 //
3262 auto shaderIdx = 0;
3263 for (auto shader: currentContext.program->shaders) {
3264 //
3265 if (uniformId < 0 || uniformId >= shader->uniformList.size()) {
3266 Console::println(
3267 "VKRenderer::" +
3268 string(__FUNCTION__) +
3269 "(): program: uniform id out of uniform list bounds: " +
3270 to_string(currentContext.idx) + ": " +
3271 to_string(currentContext.program->id) + ": " +
3272 to_string(uniformId) + " / " +
3273 to_string(shader->uniformList.size())
3274 );
3275 Console::println(
3276 string("\t") +
3277 to_string(currentContext.idx) + ": " +
3278 to_string(currentContext.program->id) + ": " +
3279 to_string(uniformId) + " / " +
3280 currentContext.program->uniforms[uniformId]
3281 );
3282 continue;
3283 }
3284 auto shaderUniformPtr = uniformId != -1?shader->uniformList[uniformId]:nullptr;
3285 if (shaderUniformPtr == nullptr) {
3286 shaderIdx++;
3287 continue;
3288 }
3289 auto& shaderUniform = *shaderUniformPtr;
3290 if (shaderUniform.type == shader_type::uniform_type::TYPE_UNIFORM) {
3291 /*
3292 if (currentContext.uniformBuffers[shaderIdx] == nullptr) {
3293 Console::println(
3294 "VKRenderer::" +
3295 string(__FUNCTION__) +
3296 "(): shader: no shader uniform buffer in context: " +
3297 to_string(currentContext.idx) + ": " +
3298 to_string(currentContext.programId) + ": " +
3299 to_string(uniformId) + "; " +
3300 to_string(shaderIdx) + ": " +
3301 shaderUniformPtr->name
3302 );
3303 shaderIdx++;
3304 continue;
3305 } else
3306 if (size != shaderUniform.size) {
3307 Console::println(
3308 "VKRenderer::" +
3309 string(__FUNCTION__) +
3310 "(): program: uniform size != given size: " +
3311 to_string(currentContext.idx) + ": " +
3312 to_string(currentContext.programId) + ": " +
3313 to_string(uniformId) + "; " +
3314 to_string(shaderIdx) + "; " +
3315 to_string(currentContext.uniformBuffers[shaderIdx]->size) + "; " +
3316 to_string(shaderUniform.position + size) + ": " +
3317 shaderUniform.name + ": " +
3318 to_string(size) + " / " +
3319 to_string(shaderUniform.size)
3320 );
3321 shaderIdx++;
3322 continue;
3323 }
3324 if (currentContext.uniformBuffers[shaderIdx]->size < shaderUniform.position + size) {
3325 Console::println(
3326 "VKRenderer::" +
3327 string(__FUNCTION__) +
3328 "(): program: uniform buffer is too small: " +
3329 to_string(currentContext.idx) + ": " +
3330 to_string(currentContext.programId) + ": " +
3331 to_string(uniformId) + "; " +
3332 to_string(shaderIdx) + "; " +
3333 to_string(currentContext.uniformBuffers[shaderIdx]->size) + "; " +
3334 to_string(shaderUniform.position + size) + ": " +
3335 shaderUniform.name + ": " +
3336 to_string(shaderUniform.position + size) + " / " +
3337 to_string(currentContext.uniformBuffers[shaderIdx]->size)
3338 );
3339 shaderIdx++;
3340 continue;
3341 }
3342 */
3343 auto& uniformBuffer = shader->uniformBuffers[contextIdx];
3344 auto remainingSize = size;
3345 auto offset = 0;
3346 auto src = data;
3347 auto dst = static_cast<uint8_t*>(&uniformBuffer.uniformBufferData[shaderUniform.position]);
3348 while (remainingSize >= 8) {
3349 *(uint64_t*)dst = *(uint64_t*)src;
3350 remainingSize-= 8;
3351 src+= 8;
3352 dst+= 8;
3353 }
3354 while (remainingSize >= 4) {
3355 *(uint32_t*)dst = *(uint32_t*)src;
3356 remainingSize-= 4;
3357 src+= 4;
3358 dst+= 4;
3359 }
3360 } else
3361 if (shaderUniform.type == shader_type::uniform_type::TYPE_SAMPLER2D) {
3362 shaderUniform.textureUnit = *((int32_t*)data);
3363 } else
3364 if (shaderUniform.type == shader_type::uniform_type::TYPE_SAMPLERCUBE) {
3365 shaderUniform.textureUnit = *((int32_t*)data);
3366 }
3367 shaderIdx++;
3368 }
3369}
3370
3371void VKRenderer::setProgramUniformInteger(int contextIdx, int32_t uniformId, int32_t value)
3372{
3373 setProgramUniformInternal(contextIdx, uniformId, (uint8_t*)&value, sizeof(int32_t));
3374}
3375
3376void VKRenderer::setProgramUniformFloat(int contextIdx, int32_t uniformId, float value)
3377{
3378 setProgramUniformInternal(contextIdx, uniformId, (uint8_t*)&value, sizeof(float));
3379}
3380
3381void VKRenderer::setProgramUniformFloatMatrix3x3(int contextIdx, int32_t uniformId, const array<float, 9>& data)
3382{
3383 array<float, 12> _data = {
3384 data[0],
3385 data[1],
3386 data[2],
3387 0.0f,
3388 data[3],
3389 data[4],
3390 data[5],
3391 0.0f,
3392 data[6],
3393 data[7],
3394 data[8],
3395 0.0f
3396 };
3397 setProgramUniformInternal(contextIdx, uniformId, (uint8_t*)_data.data(), _data.size() * sizeof(float));
3398}
3399
3400void VKRenderer::setProgramUniformFloatMatrix4x4(int contextIdx, int32_t uniformId, const array<float, 16>& data)
3401{
3402 setProgramUniformInternal(contextIdx, uniformId, (uint8_t*)data.data(), data.size() * sizeof(float));
3403}
3404
3405void VKRenderer::setProgramUniformFloatMatrices4x4(int contextIdx, int32_t uniformId, int32_t count, FloatBuffer* data)
3406{
3407 setProgramUniformInternal(contextIdx, uniformId, (uint8_t*)data->getBuffer(), count * sizeof(float) * 16);
3408}
3409
3410void VKRenderer::setProgramUniformFloatVec4(int contextIdx, int32_t uniformId, const array<float, 4>& data)
3411{
3412 setProgramUniformInternal(contextIdx, uniformId, (uint8_t*)data.data(), data.size() * sizeof(float));
3413}
3414
3415void VKRenderer::setProgramUniformFloatVec3(int contextIdx, int32_t uniformId, const array<float, 3>& data)
3416{
3417 setProgramUniformInternal(contextIdx, uniformId, (uint8_t*)data.data(), data.size() * sizeof(float));
3418}
3419
3420void VKRenderer::setProgramUniformFloatVec2(int contextIdx, int32_t uniformId, const array<float, 2>& data)
3421{
3422 setProgramUniformInternal(contextIdx, uniformId, (uint8_t*)data.data(), data.size() * sizeof(float));
3423}
3424
3425void VKRenderer::setProgramAttributeLocation(int32_t programId, int32_t location, const string& name)
3426{
3427}
3428
3429void VKRenderer::setViewPort(int32_t width, int32_t height)
3430{
3431 //
3432 this->viewPortWidth = width;
3433 this->viewPortHeight = height;
3434}
3435
3437{
3438 //
3439 viewport.width = static_cast<float>(viewPortWidth);
3440 viewport.height = static_cast<float>(viewPortHeight);
3441
3442 scissor.extent.width = viewPortWidth;
3443 scissor.extent.height = viewPortHeight;
3444
3445 //
3447 framebufferPipelinesCache = nullptr;
3448}
3449
3450void VKRenderer::setClearColor(float red, float green, float blue, float alpha)
3451{
3452 //
3453 clearRed = red;
3454 clearGreen = green;
3455 clearBlue = blue;
3456 clearAlpha = alpha;
3457}
3458
3459void VKRenderer::enableCulling(int contextIdx)
3460{
3461 auto& currentContext = contexts[contextIdx];
3462 if (currentContext.cullingEnabled == true) return;
3463 unsetPipeline(currentContext.idx);
3464 currentContext.cullingEnabled = true;
3465 currentContext.frontFaceIndex = currentContext.frontFace;
3466}
3467
3468void VKRenderer::disableCulling(int contextIdx)
3469{
3470 auto& currentContext = contexts[contextIdx];
3471 if (currentContext.cullingEnabled == false) return;
3472 unsetPipeline(currentContext.idx);
3473 currentContext.cullingEnabled = false;
3474 currentContext.frontFaceIndex = 0;
3475}
3476
3477void VKRenderer::setFrontFace(int contextIdx, int32_t frontFace)
3478{
3479 auto& currentContext = contexts[contextIdx];
3480 if (currentContext.frontFace == frontFace) return;
3481 unsetPipeline(currentContext.idx);
3482 currentContext.frontFace = frontFace;
3483 currentContext.frontFaceIndex = currentContext.cullingEnabled == true?frontFace:0;
3484}
3485
3486void VKRenderer::setCullFace(int32_t cullFace)
3487{
3488 if (cullMode == cullFace) return;
3490 cullMode = (VkCullModeFlagBits)cullFace;
3491}
3492
3494{
3495 if (blendingMode == BLENDING_NORMAL) return;
3498}
3499
3501 if (blendingMode == BLENDING_ADDITIVE) return;
3504}
3505
3507{
3508 if (blendingMode == BLENDING_NONE) return;
3511}
3512
3514{
3515 if (depthBufferWriting == true) return;
3517 depthBufferWriting = true;
3518}
3519
3521{
3522 if (depthBufferWriting == false) return;
3524 depthBufferWriting = false;
3525}
3526
3528{
3529 if (depthBufferTesting == false) return;
3531 depthBufferTesting = false;
3532}
3533
3535{
3536 if (depthBufferTesting == true) return;
3538 depthBufferTesting = true;
3539}
3540
3541void VKRenderer::setDepthFunction(int32_t depthFunction)
3542{
3543 if (this->depthFunction == depthFunction) return;
3545 this->depthFunction = depthFunction;
3546}
3547
3548void VKRenderer::setColorMask(bool red, bool green, bool blue, bool alpha)
3549{
3550}
3551
3552void VKRenderer::clear(int32_t mask)
3553{
3554 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
3555
3556 //
3558 startRenderPass(0);
3560 auto attachmentIdx = 0;
3561 array<VkClearAttachment, 9> attachments;
3563 if (frameBuffer != nullptr && frameBuffer->type == framebuffer_object_type::TYPE_GEOMETRYBUFFER) {
3564 for (auto i = 0; i < 8; i++) {
3565 attachments[attachmentIdx].aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
3566 attachments[attachmentIdx].colorAttachment = attachmentIdx;
3567 attachments[attachmentIdx].clearValue.color = { clearRed, clearGreen, clearBlue, clearAlpha };
3568 attachmentIdx++;
3569 }
3570 } else
3571 if (frameBuffer == nullptr || frameBuffer->colorTextureId != ID_NONE) {
3572 attachments[attachmentIdx].aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
3573 attachments[attachmentIdx].colorAttachment = attachmentIdx;
3574 attachments[attachmentIdx].clearValue.color = { clearRed, clearGreen, clearBlue, clearAlpha };
3575 attachmentIdx++;
3576 }
3577 }
3579 (frameBuffer == nullptr || frameBuffer->depthTextureId != ID_NONE)) {
3580 attachments[attachmentIdx].aspectMask = VK_IMAGE_ASPECT_DEPTH_BIT;
3581 attachments[attachmentIdx].colorAttachment = 0;
3582 attachments[attachmentIdx].clearValue.depthStencil = { 1.0f, 0 };
3583 attachmentIdx++;
3584 }
3585 VkClearRect clearRect = {
3586 .rect = scissor,
3587 .baseArrayLayer = 0,
3588 .layerCount = 1
3589 };
3590 vkCmdClearAttachments(
3591 contexts[0].commandBuffers[contexts[0].currentCommandBuffer].drawCommand,
3592 attachmentIdx,
3593 attachments.data(),
3594 1,
3595 &clearRect
3596 );
3597 endRenderPass(0);
3598 auto currentBufferIdx = contexts[0].currentCommandBuffer;
3599 auto commandBuffer = endDrawCommandBuffer(0, currentBufferIdx, true);
3600 if (commandBuffer != VK_NULL_HANDLE) {
3601 submitDrawCommandBuffers(1, &commandBuffer, contexts[0].commandBuffers[currentBufferIdx].drawFence);
3602 }
3603 AtomicOperations::increment(statistics.clearCalls);
3604}
3605
3607{
3608 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
3610 if (textureIdx - freeTextureIds.size() > TEXTURES_MAX) {
3611 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): could not allocate texture, maximum is " + to_string(TEXTURES_MAX));
3613 return ID_NONE;
3614 }
3615 auto reuseTextureId = -1;
3616 if (freeTextureIds.empty() == false) {
3617 auto freeTextureIdsIdx = freeTextureIds.size() - 1;
3618 reuseTextureId = freeTextureIds[freeTextureIdsIdx];
3619 freeTextureIds.erase(freeTextureIds.begin() + freeTextureIdsIdx);
3620 }
3621 auto texturePtr = new texture_type();
3622 auto& texture = *texturePtr;
3623 texture.id = reuseTextureId != -1?reuseTextureId:textureIdx++;
3624 texture.bindTexture = whiteTextureSampler2dDefault;
3625 textures[texture.id] = texturePtr;
3627 return texture.id;
3628}
3629
3630int32_t VKRenderer::createDepthBufferTexture(int32_t width, int32_t height, int32_t cubeMapTextureId, int32_t cubeMapTextureIndex) {
3631 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(width) + "x" + to_string(height));
3632
3633 //
3634 if (width <= 0) {
3635 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
3636 width = 1;
3637 }
3638 if (height <= 0) {
3639 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
3640 height = 1;
3641 }
3642
3643 //
3645 if (textureIdx - freeTextureIds.size() > TEXTURES_MAX) {
3646 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): could not allocate texture, maximum is " + to_string(TEXTURES_MAX));
3648 return ID_NONE;
3649 }
3650 auto reuseTextureId = -1;
3651 if (freeTextureIds.empty() == false) {
3652 auto freeTextureIdsIdx = freeTextureIds.size() - 1;
3653 reuseTextureId = freeTextureIds[freeTextureIdsIdx];
3654 freeTextureIds.erase(freeTextureIds.begin() + freeTextureIdsIdx);
3655 }
3656 auto texturePtr = new texture_type();
3657 auto& texture = *texturePtr;
3658 texture.id = reuseTextureId != -1?reuseTextureId:textureIdx++;
3659 texture.bindTexture = texturePtr;
3660 textures[texture.id] = texturePtr;
3662 createDepthBufferTexture(texture.id, width, height, cubeMapTextureId, cubeMapTextureIndex);
3663 return texture.id;
3664}
3665
3666void VKRenderer::createDepthBufferTexture(int32_t textureId, int32_t width, int32_t height, int32_t cubeMapTextureId, int32_t cubeMapTextureIndex)
3667{
3668 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(textureId) + " / " + to_string(width) + "x" + to_string(height));
3669
3670 //
3671 auto& depthBufferTexture = *getTextureInternal(textureId);
3672 depthBufferTexture.format = VK_FORMAT_D32_SFLOAT;
3673 depthBufferTexture.width = width;
3674 depthBufferTexture.height = height;
3675 depthBufferTexture.cubemapTextureIndex = cubeMapTextureId == ID_NONE?0:cubeMapTextureIndex;
3676
3677 //
3678 auto cubeMapTexture = cubeMapTextureId == ID_NONE?nullptr:getTextureInternal(cubeMapTextureId);
3679 depthBufferTexture.cubemapBufferTexture = cubeMapTexture != nullptr?cubeMapTexture->cubemapDepthBuffer:nullptr;
3680
3681 //
3682 VkResult err;
3683
3684 // if depth buffer is not attached to cube map, create a ordinary depth buffer texture image
3685 if (cubeMapTexture == nullptr) {
3686 // mark for deletion
3687 deleteMutex.lock();
3688 deleteImages.push_back(
3689 {
3690 .image = depthBufferTexture.image,
3691 .allocation = depthBufferTexture.allocation,
3692 .imageView = depthBufferTexture.view,
3693 .sampler = depthBufferTexture.sampler
3694 }
3695 );
3697
3698 //
3699 const VkImageCreateInfo imageCreateInfo = {
3700 .sType = VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO,
3701 .pNext = nullptr,
3702 .flags = 0,
3703 .imageType = VK_IMAGE_TYPE_2D,
3704 .format = depthBufferTexture.format,
3705 .extent = {
3706 .width = depthBufferTexture.width,
3707 .height = depthBufferTexture.height,
3708 .depth = 1
3709 },
3710 .mipLevels = 1,
3711 .arrayLayers = 1,
3712 .samples = VK_SAMPLE_COUNT_1_BIT,
3713 .tiling = VK_IMAGE_TILING_OPTIMAL,
3714 .usage = VK_IMAGE_USAGE_DEPTH_STENCIL_ATTACHMENT_BIT | VK_IMAGE_USAGE_SAMPLED_BIT | VK_IMAGE_USAGE_TRANSFER_SRC_BIT,
3715 .sharingMode = VK_SHARING_MODE_EXCLUSIVE,
3716 .queueFamilyIndexCount = 0,
3717 .pQueueFamilyIndices = 0,
3718 .initialLayout = VK_IMAGE_LAYOUT_UNDEFINED,
3719 };
3720
3721 VmaAllocationCreateInfo allocationCreateInfo = {};
3722 allocationCreateInfo.usage = VMA_MEMORY_USAGE_GPU_ONLY;
3723
3724 VmaAllocationInfo allocationInfo = {};
3725 err = vmaCreateImage(vmaAllocator, &imageCreateInfo, &allocationCreateInfo, &depthBufferTexture.image, &depthBufferTexture.allocation, &allocationInfo);
3726 assert(!err);
3727
3728 // type
3729 depthBufferTexture.type = texture_type::TYPE_DEPTHBUFFER;
3730 depthBufferTexture.aspectMask = VK_IMAGE_ASPECT_DEPTH_BIT;
3731 depthBufferTexture.accessTypes = { THSVS_ACCESS_NONE, THSVS_ACCESS_NONE };
3732 depthBufferTexture.svsLayout = THSVS_IMAGE_LAYOUT_OPTIMAL;
3733 depthBufferTexture.vkLayout = VK_IMAGE_LAYOUT_UNDEFINED;
3734 }
3735
3736 // create sampler
3737 const VkSamplerCreateInfo samplerCreateInfo = {
3738 .sType = VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO,
3739 .pNext = nullptr,
3740 .flags = 0,
3741 .magFilter = VK_FILTER_NEAREST,
3742 .minFilter = VK_FILTER_NEAREST,
3743 .mipmapMode = VK_SAMPLER_MIPMAP_MODE_NEAREST,
3744 .addressModeU = VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE,
3745 .addressModeV = VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE,
3746 .addressModeW = VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE,
3747 .mipLodBias = 0.0f,
3748 .anisotropyEnable = VK_FALSE,
3749 .maxAnisotropy = 1,
3750 .compareEnable = VK_FALSE,
3751 .compareOp = VK_COMPARE_OP_NEVER,
3752 .minLod = 0.0f,
3753 .maxLod = 0.0f,
3754 .borderColor = VK_BORDER_COLOR_FLOAT_OPAQUE_WHITE,
3755 .unnormalizedCoordinates = VK_FALSE,
3756 };
3757 err = vkCreateSampler(device, &samplerCreateInfo, nullptr, &depthBufferTexture.sampler);
3758 assert(!err);
3759
3760 // create image view
3761 // create ordinary image view if no cubemap depth buffer
3762 // if cubemap frame buffer depth buffer: create a view only of cubemap depth texture and given cube map texture index
3763 VkImageViewCreateInfo viewCreateInfo = {
3764 .sType = VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO,
3765 .pNext = nullptr,
3766 .flags = 0,
3767 .image = cubeMapTexture != nullptr?cubeMapTexture->cubemapDepthBuffer->image:depthBufferTexture.image,
3768 .viewType = VK_IMAGE_VIEW_TYPE_2D,
3769 .format = depthBufferTexture.format,
3770 .components = VkComponentMapping(),
3771 .subresourceRange = {
3772 .aspectMask = VK_IMAGE_ASPECT_DEPTH_BIT,
3773 .baseMipLevel = 0,
3774 .levelCount = 1,
3775 .baseArrayLayer = cubeMapTexture != nullptr?static_cast<uint32_t>(cubeMapTextureIndex - CUBEMAPTEXTUREINDEX_MIN):0,
3776 .layerCount = 1
3777 },
3778 };
3779 err = vkCreateImageView(device, &viewCreateInfo, nullptr, &depthBufferTexture.view);
3780 assert(!err);
3781
3782 // set initial layout
3784 0,
3785 &depthBufferTexture,
3786 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
3787 THSVS_IMAGE_LAYOUT_OPTIMAL,
3788 false,
3789 0,
3790 1,
3791 true
3792 );
3793}
3794
3795int32_t VKRenderer::createColorBufferTexture(int32_t width, int32_t height, int32_t cubeMapTextureId, int32_t cubeMapTextureIndex) {
3796 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(width) + "x" + to_string(height));
3797
3798 //
3799 if (width <= 0) {
3800 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
3801 width = 1;
3802 }
3803 if (height <= 0) {
3804 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
3805 height = 1;
3806 }
3807
3808 //
3810 if (textureIdx - freeTextureIds.size() > TEXTURES_MAX) {
3811 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): could not allocate texture, maximum is " + to_string(TEXTURES_MAX));
3813 return ID_NONE;
3814 }
3815 auto reuseTextureId = -1;
3816 if (freeTextureIds.empty() == false) {
3817 auto freeTextureIdsIdx = freeTextureIds.size() - 1;
3818 reuseTextureId = freeTextureIds[freeTextureIdsIdx];
3819 freeTextureIds.erase(freeTextureIds.begin() + freeTextureIdsIdx);
3820 }
3821 auto texturePtr = new texture_type();
3822 auto& texture = *texturePtr;
3823 texture.id = reuseTextureId != -1?reuseTextureId:textureIdx++;
3824 texture.bindTexture = texturePtr;
3825 textures[texture.id] = texturePtr;
3827 createBufferTexture(texture.id, width, height, cubeMapTextureId, cubeMapTextureIndex, windowFormat);
3828 return texture.id;
3829}
3830
3831void VKRenderer::createBufferTexture(int32_t textureId, int32_t width, int32_t height, int32_t cubeMapTextureId, int32_t cubeMapTextureIndex, VkFormat format)
3832{
3833 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(textureId) + " / " + to_string(width) + "x" + to_string(height) + "(" + to_string(cubeMapTextureId) + " / " + to_string(cubeMapTextureIndex) + ")");
3834 auto& colorBufferTexture = *getTextureInternal(textureId);
3835 colorBufferTexture.format = format;
3836 colorBufferTexture.width = width;
3837 colorBufferTexture.height = height;
3838 colorBufferTexture.cubemapTextureIndex = cubeMapTextureId == ID_NONE?0:cubeMapTextureIndex;
3839
3840 // if we have a cube map texture as argument fetch it from textures
3841 auto cubeMapTexture = cubeMapTextureId == ID_NONE?nullptr:getTextureInternal(cubeMapTextureId);
3842 // if we have a cube map texture fetched point colorBufferTexture.cubemapBufferTexture to the cube map color buffer to use its image for view
3843 colorBufferTexture.cubemapBufferTexture = cubeMapTexture != nullptr?cubeMapTexture->cubemapColorBuffer:nullptr;
3844
3845 //
3846 VkResult err;
3847
3848 // if color buffer is not attached to cube map, create a ordinary color buffer texture image
3849 if (cubeMapTexture == nullptr) {
3850 // mark for deletion
3851 deleteMutex.lock();
3852 deleteImages.push_back(
3853 {
3854 .image = colorBufferTexture.image,
3855 .allocation = colorBufferTexture.allocation,
3856 .imageView = colorBufferTexture.view,
3857 .sampler = colorBufferTexture.sampler
3858 });
3860
3861 //
3862 const VkImageCreateInfo imageCreateInfo = {
3863 .sType = VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO,
3864 .pNext = nullptr,
3865 .flags = 0,
3866 .imageType = VK_IMAGE_TYPE_2D,
3867 .format = colorBufferTexture.format,
3868 .extent = {
3869 .width = colorBufferTexture.width,
3870 .height = colorBufferTexture.height,
3871 .depth = 1
3872 },
3873 .mipLevels = 1,
3874 .arrayLayers = 1,
3875 .samples = VK_SAMPLE_COUNT_1_BIT,
3876 .tiling = VK_IMAGE_TILING_OPTIMAL,
3877 .usage = VK_IMAGE_USAGE_COLOR_ATTACHMENT_BIT | VK_IMAGE_USAGE_SAMPLED_BIT | VK_IMAGE_USAGE_TRANSFER_SRC_BIT,
3878 .sharingMode = VK_SHARING_MODE_EXCLUSIVE,
3879 .queueFamilyIndexCount = 0,
3880 .pQueueFamilyIndices = 0,
3881 .initialLayout = VK_IMAGE_LAYOUT_UNDEFINED,
3882 };
3883
3884 VmaAllocationCreateInfo allocationCreateInfo = {};
3885 allocationCreateInfo.usage = VMA_MEMORY_USAGE_GPU_ONLY;
3886
3887 VmaAllocationInfo allocationInfo = {};
3888 err = vmaCreateImage(vmaAllocator, &imageCreateInfo, &allocationCreateInfo, &colorBufferTexture.image, &colorBufferTexture.allocation, &allocationInfo);
3889 assert(!err);
3890
3891 // type
3892 colorBufferTexture.type = texture_type::TYPE_COLORBUFFER;
3893 colorBufferTexture.aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
3894 colorBufferTexture.accessTypes = { THSVS_ACCESS_NONE, THSVS_ACCESS_NONE };
3895 colorBufferTexture.svsLayout = THSVS_IMAGE_LAYOUT_OPTIMAL;
3896 colorBufferTexture.vkLayout = VK_IMAGE_LAYOUT_UNDEFINED;
3897 }
3898
3899 // create sampler
3900 const VkSamplerCreateInfo samplerCreateInfo = {
3901 .sType = VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO,
3902 .pNext = nullptr,
3903 .flags = 0,
3904 .magFilter = VK_FILTER_LINEAR,
3905 .minFilter = VK_FILTER_LINEAR,
3906 .mipmapMode = VK_SAMPLER_MIPMAP_MODE_NEAREST,
3907 .addressModeU = VK_SAMPLER_ADDRESS_MODE_REPEAT,
3908 .addressModeV = VK_SAMPLER_ADDRESS_MODE_REPEAT,
3909 .addressModeW = VK_SAMPLER_ADDRESS_MODE_REPEAT,
3910 .mipLodBias = 0.0f,
3911 .anisotropyEnable = VK_FALSE,
3912 .maxAnisotropy = 1,
3913 .compareEnable = VK_FALSE,
3914 .compareOp = VK_COMPARE_OP_NEVER,
3915 .minLod = 0.0f,
3916 .maxLod = 0.0f,
3917 .borderColor = VK_BORDER_COLOR_FLOAT_OPAQUE_WHITE,
3918 .unnormalizedCoordinates = VK_FALSE,
3919 };
3920 err = vkCreateSampler(device, &samplerCreateInfo, nullptr, &colorBufferTexture.sampler);
3921 assert(!err);
3922
3923 // create image view
3924 // create ordinary image view if no cubemap color buffer
3925 // if cubemap frame buffer color buffer: create a view only of cubemap color texture and given cube map texture index
3926 VkImageViewCreateInfo viewCreateInfo = {
3927 .sType = VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO,
3928 .pNext = nullptr,
3929 .flags = 0,
3930 .image = cubeMapTexture != nullptr?cubeMapTexture->cubemapColorBuffer->image:colorBufferTexture.image,
3931 .viewType = VK_IMAGE_VIEW_TYPE_2D,
3932 .format = colorBufferTexture.format,
3933 .components = {
3934 .r = VK_COMPONENT_SWIZZLE_R,
3935 .g = VK_COMPONENT_SWIZZLE_G,
3936 .b = VK_COMPONENT_SWIZZLE_B,
3937 .a = VK_COMPONENT_SWIZZLE_A,
3938 },
3939 .subresourceRange = {
3940 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
3941 .baseMipLevel = 0,
3942 .levelCount = 1,
3943 .baseArrayLayer = cubeMapTexture != nullptr?static_cast<uint32_t>(cubeMapTextureIndex - CUBEMAPTEXTUREINDEX_MIN):0,
3944 .layerCount = 1
3945 }
3946 };
3947 err = vkCreateImageView(device, &viewCreateInfo, nullptr, &colorBufferTexture.view);
3948 assert(!err);
3949
3950 // set initial color buffer texture layout
3952 0,
3953 &colorBufferTexture,
3954 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
3955 THSVS_IMAGE_LAYOUT_OPTIMAL,
3956 false,
3957 0,
3958 1,
3959 true
3960 );
3961}
3962
3963int32_t VKRenderer::createGBufferGeometryTexture(int32_t width, int32_t height) {
3964 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(width) + "x" + to_string(height));
3965
3966 //
3967 if (width <= 0) {
3968 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
3969 width = 1;
3970 }
3971 if (height <= 0) {
3972 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
3973 height = 1;
3974 }
3975
3976 //
3978 if (textureIdx - freeTextureIds.size() > TEXTURES_MAX) {
3979 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): could not allocate texture, maximum is " + to_string(TEXTURES_MAX));
3981 return ID_NONE;
3982 }
3983 auto reuseTextureId = -1;
3984 if (freeTextureIds.empty() == false) {
3985 auto freeTextureIdsIdx = freeTextureIds.size() - 1;
3986 reuseTextureId = freeTextureIds[freeTextureIdsIdx];
3987 freeTextureIds.erase(freeTextureIds.begin() + freeTextureIdsIdx);
3988 }
3989 auto texturePtr = new texture_type();
3990 auto& texture = *texturePtr;
3991 texture.id = reuseTextureId != -1?reuseTextureId:textureIdx++;
3992 texture.bindTexture = texturePtr;
3993 textures[texture.id] = texturePtr;
3995 createBufferTexture(texture.id, width, height, ID_NONE, ID_NONE, VK_FORMAT_R16G16B16A16_SFLOAT);
3996 return texture.id;
3997}
3998
3999int32_t VKRenderer::createGBufferColorTexture(int32_t width, int32_t height) {
4000 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(width) + "x" + to_string(height));
4001
4002 //
4003 if (width <= 0) {
4004 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
4005 width = 1;
4006 }
4007 if (height <= 0) {
4008 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
4009 height = 1;
4010 }
4011
4012 //
4014 if (textureIdx - freeTextureIds.size() > TEXTURES_MAX) {
4015 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): could not allocate texture, maximum is " + to_string(TEXTURES_MAX));
4017 return ID_NONE;
4018 }
4019 auto reuseTextureId = -1;
4020 if (freeTextureIds.empty() == false) {
4021 auto freeTextureIdsIdx = freeTextureIds.size() - 1;
4022 reuseTextureId = freeTextureIds[freeTextureIdsIdx];
4023 freeTextureIds.erase(freeTextureIds.begin() + freeTextureIdsIdx);
4024 }
4025 auto texturePtr = new texture_type();
4026 auto& texture = *texturePtr;
4027 texture.id = reuseTextureId != -1?reuseTextureId:textureIdx++;
4028 texture.bindTexture = texturePtr;
4029 textures[texture.id] = texturePtr;
4031 createBufferTexture(texture.id, width, height, ID_NONE, ID_NONE, windowFormat);
4032 return texture.id;
4033}
4034
4035void VKRenderer::uploadCubeMapTexture(int contextIdx, Texture* textureLeft, Texture* textureRight, Texture* textureTop, Texture* textureBottom, Texture* textureFront, Texture* textureBack) {
4036 if (VERBOSE == true) {
4037 Console::println(
4038 "VKRenderer::" + string(__FUNCTION__) + "(): " +
4039 textureLeft->getId() + " / " +
4040 textureRight->getId() + " / " +
4041 textureTop->getId() + " / " +
4042 textureBottom->getId() + " / " +
4043 textureFront->getId() + " / " +
4044 textureBack->getId()
4045 );
4046 }
4047
4048 // have our context typed
4049 auto& currentContext = contexts[contextIdx];
4050 auto& boundTexture = currentContext.boundTextures[currentContext.activeTextureUnit];
4051
4052 //
4053 auto textureObjectPtr = getTextureInternal(boundTexture.id);
4054 if (textureObjectPtr == nullptr) {
4055 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): texture not found: " + to_string(boundTexture.id));
4056 return;
4057 }
4058 auto& texture = *textureObjectPtr;
4059
4060 // already uploaded
4061 if (texture.uploaded == true) {
4062 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): texture already uploaded: " + to_string(boundTexture.id));
4063 return;
4064 }
4065
4067 texture.width = textureLeft->getTextureWidth();
4068 texture.height = textureLeft->getTextureHeight();
4069 texture.format = VK_FORMAT_R8G8B8A8_UNORM;
4070 texture.aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
4071 texture.accessTypes = { THSVS_ACCESS_HOST_PREINITIALIZED, THSVS_ACCESS_NONE };
4072 texture.vkLayout = VK_IMAGE_LAYOUT_PREINITIALIZED;
4073
4074 // create color buffer texture including image it self with 6 array layers for each cube map side, sampler and view for binding as cube map texture
4075 const VkImageCreateInfo imageCreateInfo = {
4076 .sType = VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO,
4077 .pNext = nullptr,
4078 .flags = VK_IMAGE_CREATE_CUBE_COMPATIBLE_BIT,
4079 .imageType = VK_IMAGE_TYPE_2D,
4080 .format = texture.format,
4081 .extent = {
4082 .width = texture.width,
4083 .height = texture.height,
4084 .depth = 1
4085 },
4086 .mipLevels = 1,
4087 .arrayLayers = 6,
4088 .samples = VK_SAMPLE_COUNT_1_BIT,
4089 .tiling = VK_IMAGE_TILING_OPTIMAL,
4090 .usage = VK_IMAGE_USAGE_SAMPLED_BIT | VK_IMAGE_USAGE_TRANSFER_DST_BIT,
4091 .sharingMode = VK_SHARING_MODE_EXCLUSIVE,
4092 .queueFamilyIndexCount = 0,
4093 .pQueueFamilyIndices = 0,
4094 .initialLayout = VK_IMAGE_LAYOUT_PREINITIALIZED,
4095 };
4096
4097 //
4098 VkResult err;
4099
4100 VmaAllocationCreateInfo allocationCreateInfo = {};
4101 allocationCreateInfo.usage = VMA_MEMORY_USAGE_GPU_ONLY;
4102
4103 VmaAllocationInfo allocationInfo = {};
4104 err = vmaCreateImage(vmaAllocator, &imageCreateInfo, &allocationCreateInfo, &texture.image, &texture.allocation, &allocationInfo);
4105 assert(!err);
4106
4107 //
4108 uploadCubeMapSingleTexture(contextIdx, &texture, textureLeft, 0);
4109 uploadCubeMapSingleTexture(contextIdx, &texture, textureRight, 1);
4110 uploadCubeMapSingleTexture(contextIdx, &texture, textureTop, 2);
4111 uploadCubeMapSingleTexture(contextIdx, &texture, textureBottom, 3);
4112 uploadCubeMapSingleTexture(contextIdx, &texture, textureFront, 4);
4113 uploadCubeMapSingleTexture(contextIdx, &texture, textureBack, 5);
4114
4115 //
4117 currentContext.idx,
4118 &texture,
4119 { THSVS_ACCESS_TRANSFER_WRITE, THSVS_ACCESS_NONE },
4120 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4121 THSVS_IMAGE_LAYOUT_OPTIMAL,
4122 THSVS_IMAGE_LAYOUT_OPTIMAL,
4123 false,
4124 0,
4125 1,
4126 0,
4127 6,
4128 true
4129 );
4130 texture.accessTypes =
4131 {{
4132 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4133 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4134 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4135 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4136 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4137 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE }
4138 }};
4139
4140 // create sampler
4141 const VkSamplerCreateInfo samplerCreateInfo = {
4142 .sType = VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO,
4143 .pNext = nullptr,
4144 .flags = 0,
4145 .magFilter = VK_FILTER_LINEAR,
4146 .minFilter = VK_FILTER_LINEAR,
4147 .mipmapMode = VK_SAMPLER_MIPMAP_MODE_NEAREST,
4148 .addressModeU = VK_SAMPLER_ADDRESS_MODE_REPEAT,
4149 .addressModeV = VK_SAMPLER_ADDRESS_MODE_REPEAT,
4150 .addressModeW = VK_SAMPLER_ADDRESS_MODE_REPEAT,
4151 .mipLodBias = 0.0f,
4152 .anisotropyEnable = VK_FALSE,
4153 .maxAnisotropy = 1,
4154 .compareEnable = VK_FALSE,
4155 .compareOp = VK_COMPARE_OP_NEVER,
4156 .minLod = 0.0f,
4157 .maxLod = 0.0f,
4158 .borderColor = VK_BORDER_COLOR_FLOAT_OPAQUE_WHITE,
4159 .unnormalizedCoordinates = VK_FALSE,
4160 };
4161 err = vkCreateSampler(device, &samplerCreateInfo, nullptr, &texture.sampler);
4162 assert(!err);
4163
4164 // create image view
4165 VkImageViewCreateInfo viewCreateInfo = {
4166 .sType = VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO,
4167 .pNext = nullptr,
4168 .flags = 0,
4169 .image = texture.image,
4170 .viewType = VK_IMAGE_VIEW_TYPE_CUBE,
4171 .format = texture.format,
4172 .components = {
4173 .r = VK_COMPONENT_SWIZZLE_R,
4174 .g = VK_COMPONENT_SWIZZLE_G,
4175 .b = VK_COMPONENT_SWIZZLE_B,
4176 .a = VK_COMPONENT_SWIZZLE_A,
4177 },
4178 .subresourceRange = {
4179 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4180 .baseMipLevel = 0,
4181 .levelCount = 1,
4182 .baseArrayLayer = 0,
4183 .layerCount = 6
4184 }
4185 };
4186 err = vkCreateImageView(device, &viewCreateInfo, nullptr, &texture.view);
4187 assert(!err);
4188
4189 //
4190 boundTexture.sampler = texture.sampler;
4191 boundTexture.view = texture.view;
4192 boundTexture.layout = texture.vkLayout;
4193
4194 //
4195 texture.uploaded = true;
4196 texture.bindTexture = &texture;
4197
4198 //
4199 currentContext.uploadedTextureIds.insert(texture.id);
4200}
4201
4202int32_t VKRenderer::createCubeMapTexture(int contextIdx, int32_t width, int32_t height) {
4203 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(width) + "x" + to_string(height));
4204
4205 // have our context typed
4206 auto& currentContext = contexts[contextIdx];
4207
4208 //
4209 if (width <= 0) {
4210 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
4211 width = 1;
4212 }
4213 if (height <= 0) {
4214 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
4215 height = 1;
4216 }
4217
4218 //
4220 if (textureIdx - freeTextureIds.size() > TEXTURES_MAX) {
4221 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): could not allocate texture, maximum is " + to_string(TEXTURES_MAX));
4223 return ID_NONE;
4224 }
4225 auto reuseTextureId = -1;
4226 if (freeTextureIds.empty() == false) {
4227 auto freeTextureIdsIdx = freeTextureIds.size() - 1;
4228 reuseTextureId = freeTextureIds[freeTextureIdsIdx];
4229 freeTextureIds.erase(freeTextureIds.begin() + freeTextureIdsIdx);
4230 }
4231 auto texturePtr = new texture_type();
4232 auto& texture = *texturePtr;
4233 texture.id = reuseTextureId != -1?reuseTextureId:textureIdx++;
4234 texture.type = texture_type::TYPE_CUBEMAPBUFFER;
4235 texture.format = windowFormat;
4236 texture.width = width;
4237 texture.height = height;
4238 texture.aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
4239 texture.vkLayout = VK_IMAGE_LAYOUT_UNDEFINED;
4240 texture.bindTexture = whiteTextureSamplerCubeDefault;
4241 textures[texture.id] = texturePtr;
4242
4243 // create color buffer texture including image it self with 6 array layers for each cube map side, sampler and view for binding as cube map texture
4244 {
4245 texture.cubemapColorBuffer = new texture_type();
4246 texture.cubemapColorBuffer->id = -1;
4247 texture.cubemapColorBuffer->type = texture_type::TYPE_COLORBUFFER;
4248 texture.cubemapColorBuffer->format = windowFormat;
4249 texture.cubemapColorBuffer->width = width;
4250 texture.cubemapColorBuffer->height = height;
4251 texture.cubemapColorBuffer->aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
4252 texture.cubemapColorBuffer->vkLayout = VK_IMAGE_LAYOUT_UNDEFINED;
4253 const VkImageCreateInfo imageCreateInfo = {
4254 .sType = VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO,
4255 .pNext = nullptr,
4256 .flags = VK_IMAGE_CREATE_CUBE_COMPATIBLE_BIT,
4257 .imageType = VK_IMAGE_TYPE_2D,
4258 .format = texture.cubemapColorBuffer->format,
4259 .extent = {
4260 .width = texture.cubemapColorBuffer->width,
4261 .height = texture.cubemapColorBuffer->height,
4262 .depth = 1
4263 },
4264 .mipLevels = 1,
4265 .arrayLayers = 6,
4266 .samples = VK_SAMPLE_COUNT_1_BIT,
4267 .tiling = VK_IMAGE_TILING_OPTIMAL,
4268 .usage = VK_IMAGE_USAGE_COLOR_ATTACHMENT_BIT | VK_IMAGE_USAGE_SAMPLED_BIT,
4269 .sharingMode = VK_SHARING_MODE_EXCLUSIVE,
4270 .queueFamilyIndexCount = 0,
4271 .pQueueFamilyIndices = 0,
4272 .initialLayout = VK_IMAGE_LAYOUT_UNDEFINED
4273 };
4274
4275 //
4276 VkResult err;
4277
4278 VmaAllocationCreateInfo allocationCreateInfo = {};
4279 allocationCreateInfo.usage = VMA_MEMORY_USAGE_GPU_ONLY;
4280
4281 VmaAllocationInfo allocationInfo = {};
4282 err = vmaCreateImage(vmaAllocator, &imageCreateInfo, &allocationCreateInfo, &texture.cubemapColorBuffer->image, &texture.cubemapColorBuffer->allocation, &allocationInfo);
4283 assert(!err);
4284
4285 // create sampler
4286 const VkSamplerCreateInfo samplerCreateInfo = {
4287 .sType = VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO,
4288 .pNext = nullptr,
4289 .flags = 0,
4290 .magFilter = VK_FILTER_LINEAR,
4291 .minFilter = VK_FILTER_LINEAR,
4292 .mipmapMode = VK_SAMPLER_MIPMAP_MODE_NEAREST,
4293 .addressModeU = VK_SAMPLER_ADDRESS_MODE_REPEAT,
4294 .addressModeV = VK_SAMPLER_ADDRESS_MODE_REPEAT,
4295 .addressModeW = VK_SAMPLER_ADDRESS_MODE_REPEAT,
4296 .mipLodBias = 0.0f,
4297 .anisotropyEnable = VK_FALSE,
4298 .maxAnisotropy = 1,
4299 .compareEnable = VK_FALSE,
4300 .compareOp = VK_COMPARE_OP_NEVER,
4301 .minLod = 0.0f,
4302 .maxLod = 0.0f,
4303 .borderColor = VK_BORDER_COLOR_FLOAT_OPAQUE_WHITE,
4304 .unnormalizedCoordinates = VK_FALSE,
4305 };
4306 err = vkCreateSampler(device, &samplerCreateInfo, nullptr, &texture.sampler);
4307 assert(!err);
4308
4309 // create image view
4310 VkImageViewCreateInfo viewCreateInfo = {
4311 .sType = VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO,
4312 .pNext = nullptr,
4313 .flags = 0,
4314 .image = texture.cubemapColorBuffer->image,
4315 .viewType = VK_IMAGE_VIEW_TYPE_CUBE,
4316 .format = texture.cubemapColorBuffer->format,
4317 .components = {
4318 .r = VK_COMPONENT_SWIZZLE_R,
4319 .g = VK_COMPONENT_SWIZZLE_G,
4320 .b = VK_COMPONENT_SWIZZLE_B,
4321 .a = VK_COMPONENT_SWIZZLE_A,
4322 },
4323 .subresourceRange = {
4324 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4325 .baseMipLevel = 0,
4326 .levelCount = 1,
4327 .baseArrayLayer = 0,
4328 .layerCount = 6
4329 }
4330 };
4331 err = vkCreateImageView(device, &viewCreateInfo, nullptr, &texture.view);
4332 assert(!err);
4333 }
4334
4335 // set initial layout
4337 currentContext.idx,
4338 texture.cubemapColorBuffer,
4339 { THSVS_ACCESS_NONE, THSVS_ACCESS_NONE },
4340 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4341 THSVS_IMAGE_LAYOUT_OPTIMAL,
4342 THSVS_IMAGE_LAYOUT_OPTIMAL,
4343 false,
4344 0,
4345 1,
4346 0,
4347 6,
4348 true
4349 );
4350
4351 // create depth buffer texture image it self with 6 array layers for each cube map side
4352 {
4353 texture.cubemapDepthBuffer = new texture_type();
4354 texture.cubemapDepthBuffer->id = -1;
4355 texture.cubemapDepthBuffer->format = VK_FORMAT_D32_SFLOAT;
4356 texture.cubemapDepthBuffer->width = width;
4357 texture.cubemapDepthBuffer->height = height;
4358 texture.cubemapDepthBuffer->type = texture_type::TYPE_DEPTHBUFFER;
4359 texture.cubemapDepthBuffer->aspectMask = VK_IMAGE_ASPECT_DEPTH_BIT;
4360 const VkImageCreateInfo imageCreateInfo = {
4361 .sType = VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO,
4362 .pNext = nullptr,
4363 .flags = VK_IMAGE_CREATE_CUBE_COMPATIBLE_BIT,
4364 .imageType = VK_IMAGE_TYPE_2D,
4365 .format = texture.cubemapDepthBuffer->format,
4366 .extent = {
4367 .width = texture.cubemapDepthBuffer->width,
4368 .height = texture.cubemapDepthBuffer->height,
4369 .depth = 1
4370 },
4371 .mipLevels = 1,
4372 .arrayLayers = 6,
4373 .samples = VK_SAMPLE_COUNT_1_BIT,
4374 .tiling = VK_IMAGE_TILING_OPTIMAL,
4375 .usage = VK_IMAGE_USAGE_DEPTH_STENCIL_ATTACHMENT_BIT | VK_IMAGE_USAGE_SAMPLED_BIT,
4376 .sharingMode = VK_SHARING_MODE_EXCLUSIVE,
4377 .queueFamilyIndexCount = 0,
4378 .pQueueFamilyIndices = 0,
4379 .initialLayout = VK_IMAGE_LAYOUT_UNDEFINED,
4380 };
4381
4382 //
4383 VkResult err;
4384
4385 VmaAllocationCreateInfo allocationCreateInfo = {};
4386 allocationCreateInfo.usage = VMA_MEMORY_USAGE_GPU_ONLY;
4387
4388 VmaAllocationInfo allocation_info = {};
4389 err = vmaCreateImage(vmaAllocator, &imageCreateInfo, &allocationCreateInfo, &texture.cubemapDepthBuffer->image, &texture.cubemapDepthBuffer->allocation, &allocation_info);
4390 assert(!err);
4391
4392 // set initial layout
4394 currentContext.idx,
4395 texture.cubemapDepthBuffer,
4396 { THSVS_ACCESS_NONE, THSVS_ACCESS_NONE },
4397 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4398 THSVS_IMAGE_LAYOUT_OPTIMAL,
4399 THSVS_IMAGE_LAYOUT_OPTIMAL,
4400 false,
4401 0,
4402 1,
4403 0,
4404 6,
4405 true
4406 );
4407 }
4408
4409 //
4410 texture.vkLayout = texture.cubemapColorBuffer->vkLayout;
4411
4412 //
4414
4415 //
4416 return texture.id;
4417}
4418
4419void VKRenderer::uploadTexture(int contextIdx, Texture* texture)
4420{
4421 // have our context typed
4422 auto& currentContext = contexts[contextIdx];
4423 auto& boundTexture = currentContext.boundTextures[currentContext.activeTextureUnit];
4424
4425 //
4426 auto textureObjectPtr = getTextureInternal(boundTexture.id);
4427 if (textureObjectPtr == nullptr) {
4429 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): texture not found: " + to_string(boundTexture.id));
4430 return;
4431 }
4432 auto& textureType = *textureObjectPtr;
4433
4434 // already uploaded
4435 if (textureType.uploaded == true) {
4436 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): texture already uploaded: " + to_string(boundTexture.id));
4438 return;
4439 }
4440
4441 //
4442 uint32_t mipLevels = 1;
4443 textureType.width = texture->getTextureWidth();
4444 textureType.height = texture->getTextureHeight();
4445 textureType.type = texture_type::TYPE_TEXTURE;
4446 textureType.aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
4447
4448 //
4449 const VkFormat textureFormat = texture->getDepth() == 32?VK_FORMAT_R8G8B8A8_UNORM:VK_FORMAT_R8G8B8A8_UNORM;
4450 VkFormatProperties textureFormatProperties;
4451 VkResult err;
4452
4453
4454 vkGetPhysicalDeviceFormatProperties(physicalDevice, textureFormat, &textureFormatProperties);
4455 if ((textureFormatProperties.optimalTilingFeatures & VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT) == VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT) {
4456 //
4457 struct texture_type stagingTexture {};
4458 stagingTexture.width = texture->getTextureWidth();
4459 stagingTexture.height = texture->getTextureHeight();
4460 stagingTexture.type = texture_type::TYPE_TEXTURE;
4461 stagingTexture.aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
4462
4463 //
4464 mipLevels = texture->isUseMipMap() == true?getMipLevels(texture):1;
4465
4466 //
4468 currentContext.idx,
4469 &stagingTexture,
4470 VK_IMAGE_TILING_LINEAR,
4471 VK_IMAGE_USAGE_TRANSFER_SRC_BIT,
4472 VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT,
4473 texture,
4474 { THSVS_ACCESS_TRANSFER_READ, THSVS_ACCESS_NONE },
4475 THSVS_IMAGE_LAYOUT_OPTIMAL
4476 );
4478 currentContext.idx,
4479 &textureType,
4480 VK_IMAGE_TILING_OPTIMAL,
4481 VK_IMAGE_USAGE_TRANSFER_DST_BIT | VK_IMAGE_USAGE_SAMPLED_BIT,
4482 VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT,
4483 texture,
4484 { THSVS_ACCESS_TRANSFER_WRITE, THSVS_ACCESS_NONE },
4485 THSVS_IMAGE_LAYOUT_OPTIMAL,
4486 false,
4487 0,
4488 mipLevels
4489 );
4490 VkImageCopy imageCopy = {
4491 .srcSubresource = {
4492 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4493 .mipLevel = 0,
4494 .baseArrayLayer = 0,
4495 .layerCount = 1
4496 },
4497 .srcOffset = {
4498 .x = 0,
4499 .y = 0,
4500 .z = 0
4501 },
4502 .dstSubresource = {
4503 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4504 .mipLevel = 0,
4505 .baseArrayLayer = 0,
4506 .layerCount = 1
4507 },
4508 .dstOffset = {
4509 .x = 0,
4510 .y = 0,
4511 .z = 0
4512 },
4513 .extent = {
4514 .width = textureType.width,
4515 .height = textureType.height,
4516 .depth = 1
4517 }
4518 };
4519 prepareSetupCommandBuffer(currentContext.idx);
4520 vkCmdCopyImage(
4521 currentContext.setupCommandInUse,
4522 stagingTexture.image,
4523 VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL,
4524 textureType.image,
4525 VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL,
4526 1,
4527 &imageCopy
4528 );
4529 finishSetupCommandBuffer(currentContext.idx);
4530 if (texture->isUseMipMap() == true) {
4531 //
4532 auto textureWidth = texture->getTextureWidth();
4533 auto textureHeight = texture->getTextureHeight();
4534 for (uint32_t i = 1; i < mipLevels; i++) {
4535 const VkImageBlit imageBlit = {
4536 .srcSubresource = {
4537 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4538 .mipLevel = 0,
4539 .baseArrayLayer = 0,
4540 .layerCount = 1
4541 },
4542 .srcOffsets = {
4543 {
4544 .x = 0,
4545 .y = 0,
4546 .z = 0
4547 },
4548 {
4549 .x = textureWidth,
4550 .y = textureHeight,
4551 .z = 1
4552 }
4553 },
4554 .dstSubresource = {
4555 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4556 .mipLevel = i,
4557 .baseArrayLayer = 0,
4558 .layerCount = 1
4559 },
4560 .dstOffsets = {
4561 {
4562 .x = 0,
4563 .y = 0,
4564 .z = 0
4565 },
4566 {
4567 .x = int32_t(textureWidth >> i),
4568 .y = int32_t(textureHeight >> i),
4569 .z = 1
4570 }
4571 }
4572 };
4573 prepareSetupCommandBuffer(currentContext.idx);
4574 vkCmdBlitImage(
4575 currentContext.setupCommandInUse,
4576 stagingTexture.image,
4577 VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL,
4578 textureType.image,
4579 VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL,
4580 1,
4581 &imageBlit,
4582 VK_FILTER_LINEAR
4583 );
4584 finishSetupCommandBuffer(currentContext.idx);
4585 }
4586 }
4587
4589 currentContext.idx,
4590 &textureType,
4591 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4592 THSVS_IMAGE_LAYOUT_OPTIMAL,
4593 false,
4594 0,
4595 mipLevels,
4596 true
4597 );
4598
4599 // mark for deletion
4600 deleteMutex.lock();
4601 deleteImages.push_back(
4602 {
4603 .image = stagingTexture.image,
4604 .allocation = stagingTexture.allocation,
4605 .imageView = VK_NULL_HANDLE,
4606 .sampler = VK_NULL_HANDLE
4607 }
4608 );
4610 } else
4611 if ((textureFormatProperties.linearTilingFeatures & VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT) == VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT) {
4612 // TODO: not sure if I should support this path
4613 // Device can texture using linear textures
4615 currentContext.idx,
4616 &textureType,
4617 VK_IMAGE_TILING_LINEAR,
4618 VK_IMAGE_USAGE_SAMPLED_BIT,
4619 VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT,
4620 texture,
4621 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
4622 THSVS_IMAGE_LAYOUT_OPTIMAL
4623 );
4624 }
4625
4626 const VkSamplerCreateInfo samplerCreateInfo = {
4627 .sType = VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO,
4628 .pNext = nullptr,
4629 .flags = 0,
4630 .magFilter = VK_FILTER_LINEAR,
4631 .minFilter = VK_FILTER_LINEAR,
4632 .mipmapMode = VK_SAMPLER_MIPMAP_MODE_LINEAR,
4633 .addressModeU = texture->isRepeat() == true?VK_SAMPLER_ADDRESS_MODE_REPEAT:(texture->getClampMode() == Texture::CLAMPMODE_EDGE?VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE:VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER),
4634 .addressModeV = texture->isRepeat() == true?VK_SAMPLER_ADDRESS_MODE_REPEAT:(texture->getClampMode() == Texture::CLAMPMODE_EDGE?VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE:VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER),
4635 .addressModeW = texture->isRepeat() == true?VK_SAMPLER_ADDRESS_MODE_REPEAT:(texture->getClampMode() == Texture::CLAMPMODE_EDGE?VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE:VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER),
4636 .mipLodBias = 0.0f,
4637 .anisotropyEnable = VK_FALSE,
4638 .maxAnisotropy = 1,
4639 .compareEnable = VK_FALSE,
4640 .compareOp = VK_COMPARE_OP_NEVER,
4641 .minLod = 0.0f,
4642 .maxLod = texture->isUseMipMap() == true?static_cast<float>(mipLevels):0.0f,
4643 .borderColor = VK_BORDER_COLOR_FLOAT_TRANSPARENT_BLACK,
4644 .unnormalizedCoordinates = VK_FALSE,
4645 };
4646 VkImageViewCreateInfo viewCreateInfo = {
4647 .sType = VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO,
4648 .pNext = nullptr,
4649 .flags = 0,
4650 .image = textureType.image,
4651 .viewType = VK_IMAGE_VIEW_TYPE_2D,
4652 .format = textureFormat,
4653 .components = {
4654 .r = VK_COMPONENT_SWIZZLE_R,
4655 .g = VK_COMPONENT_SWIZZLE_G,
4656 .b = VK_COMPONENT_SWIZZLE_B,
4657 .a = VK_COMPONENT_SWIZZLE_A,
4658 },
4659 .subresourceRange = {
4660 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4661 .baseMipLevel = 0,
4662 .levelCount = mipLevels,
4663 .baseArrayLayer = 0,
4664 .layerCount = 1
4665 }
4666 };
4667
4668 // create sampler
4669 err = vkCreateSampler(device, &samplerCreateInfo, nullptr, &textureType.sampler);
4670 assert(!err);
4671
4672 // create image view
4673 err = vkCreateImageView(device, &viewCreateInfo, nullptr, &textureType.view);
4674 assert(!err);
4675
4676 //
4677 boundTexture.sampler = textureType.sampler;
4678 boundTexture.view = textureType.view;
4679 boundTexture.layout = textureType.vkLayout;
4680
4681 //
4682 textureType.uploaded = true;
4683 textureType.bindTexture = textureObjectPtr;
4684
4685 //
4686 currentContext.uploadedTextureIds.insert(textureType.id);
4687
4688 //
4689 AtomicOperations::increment(statistics.textureUploads);
4690}
4691
4692void VKRenderer::uploadCubeMapSingleTexture(int contextIdx, texture_type* cubemapTextureType, Texture* texture, uint32_t baseArrayLayer)
4693{
4694 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + texture->getId());
4695
4696 // have our context typed
4697 auto& currentContext = contexts[contextIdx];
4698 auto& cubemapTextureTypeRef = *cubemapTextureType;
4699
4700 //
4701 const VkFormat textureFormat = texture->getDepth() == 32?VK_FORMAT_R8G8B8A8_UNORM:VK_FORMAT_R8G8B8A8_UNORM;
4702 VkFormatProperties textureFormatProperties;
4703 VkResult err;
4704 vkGetPhysicalDeviceFormatProperties(physicalDevice, textureFormat, &textureFormatProperties);
4705 if ((textureFormatProperties.optimalTilingFeatures & VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT) == VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT) {
4706 //
4707 struct texture_type staging_texture {};
4708 staging_texture.width = texture->getTextureWidth();
4709 staging_texture.height = texture->getTextureHeight();
4710 staging_texture.type = texture_type::TYPE_TEXTURE;
4711 staging_texture.aspectMask = VK_IMAGE_ASPECT_COLOR_BIT;
4712
4713 //
4715 currentContext.idx,
4716 &staging_texture,
4717 VK_IMAGE_TILING_LINEAR,
4718 VK_IMAGE_USAGE_TRANSFER_SRC_BIT,
4719 VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT,
4720 texture,
4721 { THSVS_ACCESS_TRANSFER_READ, THSVS_ACCESS_NONE },
4722 THSVS_IMAGE_LAYOUT_OPTIMAL
4723 );
4724
4725 //
4727 currentContext.idx,
4728 &cubemapTextureTypeRef,
4729 { THSVS_ACCESS_HOST_PREINITIALIZED, THSVS_ACCESS_NONE },
4730 { THSVS_ACCESS_TRANSFER_WRITE, THSVS_ACCESS_NONE },
4731 THSVS_IMAGE_LAYOUT_OPTIMAL,
4732 THSVS_IMAGE_LAYOUT_OPTIMAL,
4733 true,
4734 0,
4735 1,
4736 baseArrayLayer,
4737 1,
4738 false
4739 );
4740
4741 //
4742 VkImageCopy imageCopy = {
4743 .srcSubresource = {
4744 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4745 .mipLevel = 0,
4746 .baseArrayLayer = 0,
4747 .layerCount = 1
4748 },
4749 .srcOffset = {
4750 .x = 0,
4751 .y = 0,
4752 .z = 0
4753 },
4754 .dstSubresource = {
4755 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
4756 .mipLevel = 0,
4757 .baseArrayLayer = baseArrayLayer,
4758 .layerCount = 1
4759 },
4760 .dstOffset = {
4761 .x = 0,
4762 .y = 0,
4763 .z = 0
4764 },
4765 .extent = {
4766 .width = cubemapTextureTypeRef.width,
4767 .height = cubemapTextureTypeRef.height,
4768 .depth = 1
4769 }
4770 };
4771
4772 //
4773 prepareSetupCommandBuffer(currentContext.idx);
4774 vkCmdCopyImage(
4775 currentContext.setupCommandInUse,
4776 staging_texture.image,
4777 VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL,
4778 cubemapTextureTypeRef.image,
4779 VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL,
4780 1,
4781 &imageCopy
4782 );
4783 //
4784 finishSetupCommandBuffer(currentContext.idx);
4785
4786 // mark for deletion
4787 deleteMutex.lock();
4788 deleteImages.push_back(
4789 {
4790 .image = staging_texture.image,
4791 .allocation = staging_texture.allocation,
4792 .imageView = VK_NULL_HANDLE,
4793 .sampler = VK_NULL_HANDLE
4794 }
4795 );
4797 } else
4798 if ((textureFormatProperties.linearTilingFeatures & VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT) == VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT) {
4799 // TODO: not sure if I should ever support this
4800 }
4801
4802 //
4803 AtomicOperations::increment(statistics.textureUploads);
4804}
4805
4806void VKRenderer::resizeDepthBufferTexture(int32_t textureId, int32_t width, int32_t height)
4807{
4808 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(textureId) + " / " + to_string(width) + "x" + to_string(height));
4809
4810 // end render passes
4811 for (auto i = 0; i < Engine::getThreadCount(); i++) {
4812 endRenderPass(i);
4813 }
4814
4815 //
4816 if (width <= 0) {
4817 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
4818 width = 1;
4819 }
4820 if (height <= 0) {
4821 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
4822 height = 1;
4823 }
4824
4825 //
4826 auto texturePtr = getTextureInternal(textureId);
4827 if (texturePtr == nullptr) {
4828 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): texture not found: " + to_string(textureId));
4829 return;
4830 }
4831
4832 //
4833 auto& texture = *texturePtr;
4834 if (texture.width == width && texture.height == height) return;
4835
4836 //
4838
4839 //
4841
4842 //
4843 createDepthBufferTexture(textureId, width, height, ID_NONE, ID_NONE);
4844 if (texture.frameBufferObjectId != ID_NONE) createFramebufferObject(texture.frameBufferObjectId);
4845}
4846
4847void VKRenderer::resizeColorBufferTexture(int32_t textureId, int32_t width, int32_t height)
4848{
4849 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(textureId) + " / " + to_string(width) + "x" + to_string(height));
4850
4851 // end render passes
4852 for (auto i = 0; i < Engine::getThreadCount(); i++) {
4853 endRenderPass(i);
4854 }
4855
4856 //
4857 if (width <= 0) {
4858 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
4859 width = 1;
4860 }
4861 if (height <= 0) {
4862 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
4863 height = 1;
4864 }
4865
4866 //
4867 auto texturePtr = getTextureInternal(textureId);
4868 if (texturePtr == nullptr) {
4869 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): texture not found: " + to_string(textureId));
4870 return;
4871 }
4872
4873 //
4874 auto& texture = *texturePtr;
4875 if (texture.width == width && texture.height == height) return;
4876
4877 //
4879
4880 //
4882
4883 //
4884 createBufferTexture(textureId, width, height, ID_NONE, ID_NONE, windowFormat);
4885 if (texture.frameBufferObjectId != ID_NONE) createFramebufferObject(texture.frameBufferObjectId);
4886}
4887
4888void VKRenderer::resizeGBufferGeometryTexture(int32_t textureId, int32_t width, int32_t height) {
4889 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(textureId) + " / " + to_string(width) + "x" + to_string(height));
4890
4891 // end render passes
4892 for (auto i = 0; i < Engine::getThreadCount(); i++) {
4893 endRenderPass(i);
4894 }
4895
4896 //
4897 if (width <= 0) {
4898 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
4899 width = 1;
4900 }
4901 if (height <= 0) {
4902 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
4903 height = 1;
4904 }
4905
4906 //
4907 auto texturePtr = getTextureInternal(textureId);
4908 if (texturePtr == nullptr) {
4909 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): texture not found: " + to_string(textureId));
4910 return;
4911 }
4912
4913 //
4914 auto& texture = *texturePtr;
4915 if (texture.width == width && texture.height == height) return;
4916
4917 //
4919
4920 //
4922
4923 //
4924 createBufferTexture(textureId, width, height, ID_NONE, ID_NONE, VK_FORMAT_R16G16B16A16_SFLOAT);
4925 if (texture.frameBufferObjectId != ID_NONE) createFramebufferObject(texture.frameBufferObjectId);
4926}
4927
4928void VKRenderer::resizeGBufferColorTexture(int32_t textureId, int32_t width, int32_t height) {
4929 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(textureId) + " / " + to_string(width) + "x" + to_string(height));
4930
4931 // end render passes
4932 for (auto i = 0; i < Engine::getThreadCount(); i++) {
4933 endRenderPass(i);
4934 }
4935
4936 //
4937 if (width <= 0) {
4938 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): width: " + to_string(width) + " <= 0, using 1");
4939 width = 1;
4940 }
4941 if (height <= 0) {
4942 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): height: " + to_string(height) + " <= 0, using 1");
4943 height = 1;
4944 }
4945
4946 //
4947 auto texturePtr = getTextureInternal(textureId);
4948 if (texturePtr == nullptr) {
4949 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): texture not found: " + to_string(textureId));
4950 return;
4951 }
4952
4953 //
4954 auto& texture = *texturePtr;
4955 if (texture.width == width && texture.height == height) return;
4956
4957 //
4959
4960 //
4962
4963 //
4964 createBufferTexture(textureId, width, height, ID_NONE, ID_NONE, windowFormat);
4965 if (texture.frameBufferObjectId != ID_NONE) createFramebufferObject(texture.frameBufferObjectId);
4966}
4967
4968void VKRenderer::bindCubeMapTexture(int contextIdx, int32_t textureId) {
4969 //
4970 bindTexture(contextIdx, textureId);
4971}
4972
4973void VKRenderer::bindTexture(int contextIdx, int32_t textureId)
4974{
4975 // have our context typed
4976 auto& currentContext = contexts[contextIdx];
4977 auto& boundTexture = currentContext.boundTextures[currentContext.activeTextureUnit];
4978
4979 //
4980 auto textureObject = getBindTextureInternal(textureId);
4981
4982 //
4983 boundTexture.id = textureId;
4984 if (textureObject != nullptr) {
4985 boundTexture.sampler = textureObject->sampler;
4986 boundTexture.view = textureObject->view;
4987 boundTexture.layout = textureObject->vkLayout;
4988 } else {
4989 boundTexture.sampler = VK_NULL_HANDLE;
4990 boundTexture.view = VK_NULL_HANDLE;
4991 boundTexture.layout = VK_IMAGE_LAYOUT_UNDEFINED;
4992 }
4993
4994 // done
4995 onBindTexture(contextIdx, textureId);
4996}
4997
4998void VKRenderer::disposeTexture(int32_t textureId)
4999{
5000 // mark for deletion
5002 disposeTextures.push_back(textureId);
5004}
5005
5006void VKRenderer::createFramebufferObject(int32_t frameBufferId) {
5007 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(frameBufferId));
5008 auto frameBuffer = frameBufferId < 1 || frameBufferId >= framebuffers.size()?nullptr:framebuffers[frameBufferId];
5009 if (frameBuffer == nullptr) {
5010 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): frame buffer not found: " + to_string(frameBufferId));
5011 return;
5012 }
5013 auto& frameBufferStruct = *frameBuffer;
5014
5015 // color buffer
5016 if (frameBuffer->type == framebuffer_object_type::TYPE_COLORBUFFER) {
5017 texture_type* depthBufferTexture = getTextureInternal(frameBufferStruct.depthTextureId);
5018 texture_type* colorBufferTexture = getTextureInternal(frameBufferStruct.colorTextureId);
5019
5020 if (depthBufferTexture == nullptr) {
5021 if (frameBufferStruct.depthTextureId != ID_NONE) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): color buffer: depth buffer texture not found: " + to_string(frameBufferStruct.depthTextureId));
5022 }
5023 if (colorBufferTexture == nullptr) {
5024 if (frameBufferStruct.colorTextureId != ID_NONE) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): color buffer: color buffer texture not found: " + to_string(frameBufferStruct.colorTextureId));
5025 }
5026
5027 //
5028 if (depthBufferTexture != nullptr) {
5029 depthBufferTexture->frameBufferObjectId = frameBufferStruct.id;
5030 depthBufferTexture->frameBufferBindImageLayoutChange.valid = false;
5031 depthBufferTexture->frameBufferUnbindImageLayoutChange.valid = false;
5032 }
5033 if (colorBufferTexture != nullptr) {
5034 colorBufferTexture->frameBufferObjectId = frameBufferStruct.id;
5035 colorBufferTexture->frameBufferBindImageLayoutChange.valid = false;
5036 colorBufferTexture->frameBufferUnbindImageLayoutChange.valid = false;
5037 }
5038
5039 //
5040 if (depthBufferTexture != nullptr && colorBufferTexture != nullptr &&
5041 (depthBufferTexture->width != colorBufferTexture->width ||
5042 depthBufferTexture->height != colorBufferTexture->height)) {
5043 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): color buffer: attachments with different dimension found: Not creating!");
5044 return;
5045 }
5046
5047 //
5048 VkResult err;
5049
5050 //
5051 {
5052 if (frameBufferStruct.renderPass != VK_NULL_HANDLE) vkDestroyRenderPass(device, frameBufferStruct.renderPass, nullptr);
5053
5054 auto attachmentIdx = 0;
5055 array<VkAttachmentDescription, 2> attachments;
5056 if (colorBufferTexture != nullptr) {
5057 attachments[attachmentIdx++] = {
5058 .flags = 0,
5059 .format = colorBufferTexture->format,
5060 .samples = VK_SAMPLE_COUNT_1_BIT,
5061 .loadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
5062 .storeOp = VK_ATTACHMENT_STORE_OP_STORE,
5063 .stencilLoadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
5064 .stencilStoreOp = VK_ATTACHMENT_STORE_OP_DONT_CARE,
5065 .initialLayout = colorBufferTexture->vkLayout == VK_IMAGE_LAYOUT_GENERAL?VK_IMAGE_LAYOUT_GENERAL:VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL,
5066 .finalLayout = colorBufferTexture->vkLayout == VK_IMAGE_LAYOUT_GENERAL?VK_IMAGE_LAYOUT_GENERAL:VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL,
5067 };
5068 }
5069 if (depthBufferTexture != nullptr) {
5070 attachments[attachmentIdx++] = {
5071 .flags = 0,
5072 .format = depthBufferTexture->format,
5073 .samples = VK_SAMPLE_COUNT_1_BIT,
5074 .loadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
5075 .storeOp = VK_ATTACHMENT_STORE_OP_DONT_CARE,
5076 .stencilLoadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
5077 .stencilStoreOp = VK_ATTACHMENT_STORE_OP_STORE,
5078 .initialLayout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL,
5079 .finalLayout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL
5080 };
5081 }
5082 const VkAttachmentReference colorReference = {
5083 .attachment = 0,
5084 .layout = colorBufferTexture != nullptr?(colorBufferTexture->vkLayout == VK_IMAGE_LAYOUT_GENERAL?VK_IMAGE_LAYOUT_GENERAL:VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL):VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL,
5085 };
5086 const VkAttachmentReference depthReference = {
5087 .attachment = static_cast<uint32_t>(colorBufferTexture != nullptr?1:0),
5088 .layout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL,
5089 };
5090 const VkSubpassDescription subpassDescription = {
5091 .flags = 0,
5092 .pipelineBindPoint = VK_PIPELINE_BIND_POINT_GRAPHICS,
5093 .inputAttachmentCount = 0,
5094 .pInputAttachments = nullptr,
5095 .colorAttachmentCount = static_cast<uint32_t>(colorBufferTexture != nullptr?1:0),
5096 .pColorAttachments = colorBufferTexture != nullptr?&colorReference:nullptr,
5097 .pResolveAttachments = nullptr,
5098 .pDepthStencilAttachment = depthBufferTexture != nullptr?&depthReference:nullptr,
5099 .preserveAttachmentCount = 0,
5100 .pPreserveAttachments = nullptr
5101 };
5102 const VkRenderPassCreateInfo renderPassCreateInfo = {
5103 .sType = VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO,
5104 .pNext = nullptr,
5105 .flags = 0,
5106 .attachmentCount = static_cast<uint32_t>(attachmentIdx),
5107 .pAttachments = attachments.data(),
5108 .subpassCount = 1,
5109 .pSubpasses = &subpassDescription,
5110 .dependencyCount = 0,
5111 .pDependencies = nullptr
5112 };
5113 err = vkCreateRenderPass(device, &renderPassCreateInfo, nullptr, &frameBufferStruct.renderPass);
5114 assert(!err);
5115 }
5116
5117 //
5118 {
5119 if (frameBufferStruct.frameBuffer != VK_NULL_HANDLE) vkDestroyFramebuffer(device, frameBufferStruct.frameBuffer, nullptr);
5120 auto attachmentIdx = 0;
5121 array<VkImageView, 2> attachments;
5122 if (colorBufferTexture != nullptr) attachments[attachmentIdx++] = colorBufferTexture->view;
5123 if (depthBufferTexture != nullptr) attachments[attachmentIdx++] = depthBufferTexture->view;
5124 const VkFramebufferCreateInfo fb_info = {
5125 .sType = VK_STRUCTURE_TYPE_FRAMEBUFFER_CREATE_INFO,
5126 .pNext = nullptr,
5127 .flags = 0,
5128 .renderPass = frameBufferStruct.renderPass,
5129 .attachmentCount = static_cast<uint32_t>(attachmentIdx),
5130 .pAttachments = attachments.data(),
5131 .width = colorBufferTexture != nullptr?colorBufferTexture->width:depthBufferTexture->width,
5132 .height = colorBufferTexture != nullptr?colorBufferTexture->height:depthBufferTexture->height,
5133 .layers = 1
5134 };
5135 err = vkCreateFramebuffer(device, &fb_info, nullptr, &frameBufferStruct.frameBuffer);
5136 assert(!err);
5137 }
5138 } else
5139 if (frameBuffer->type == framebuffer_object_type::TYPE_GEOMETRYBUFFER) {
5140 auto depthBufferTexture = getTextureInternal(frameBufferStruct.depthTextureId);
5141 auto geometryBufferTexture1 = getTextureInternal(frameBufferStruct.gbufferGeometryBufferTextureId1);
5142 auto geometryBufferTexture2 = getTextureInternal(frameBufferStruct.gbufferGeometryBufferTextureId2);
5143 auto geometryBufferTexture3 = getTextureInternal(frameBufferStruct.gbufferGeometryBufferTextureId3);
5144 auto colorBufferTexture1 = getTextureInternal(frameBufferStruct.gbufferColorBufferTextureId1);
5145 auto colorBufferTexture2 = getTextureInternal(frameBufferStruct.gbufferColorBufferTextureId2);
5146 auto colorBufferTexture3 = getTextureInternal(frameBufferStruct.gbufferColorBufferTextureId3);
5147 auto colorBufferTexture4 = getTextureInternal(frameBufferStruct.gbufferColorBufferTextureId4);
5148 auto colorBufferTexture5 = getTextureInternal(frameBufferStruct.gbufferColorBufferTextureId5);
5149
5150 depthBufferTexture->frameBufferBindImageLayoutChange.valid = false;
5151 depthBufferTexture->frameBufferUnbindImageLayoutChange.valid = false;
5152 geometryBufferTexture1->frameBufferBindImageLayoutChange.valid = false;
5153 geometryBufferTexture1->frameBufferUnbindImageLayoutChange.valid = false;
5154 geometryBufferTexture2->frameBufferBindImageLayoutChange.valid = false;
5155 geometryBufferTexture2->frameBufferUnbindImageLayoutChange.valid = false;
5156 geometryBufferTexture3->frameBufferBindImageLayoutChange.valid = false;
5157 geometryBufferTexture3->frameBufferUnbindImageLayoutChange.valid = false;
5158 colorBufferTexture1->frameBufferBindImageLayoutChange.valid = false;
5159 colorBufferTexture1->frameBufferUnbindImageLayoutChange.valid = false;
5160 colorBufferTexture2->frameBufferBindImageLayoutChange.valid = false;
5161 colorBufferTexture2->frameBufferUnbindImageLayoutChange.valid = false;
5162 colorBufferTexture3->frameBufferBindImageLayoutChange.valid = false;
5163 colorBufferTexture3->frameBufferUnbindImageLayoutChange.valid = false;
5164 colorBufferTexture4->frameBufferBindImageLayoutChange.valid = false;
5165 colorBufferTexture4->frameBufferUnbindImageLayoutChange.valid = false;
5166 colorBufferTexture5->frameBufferBindImageLayoutChange.valid = false;
5167 colorBufferTexture5->frameBufferUnbindImageLayoutChange.valid = false;
5168
5169 //
5170 depthBufferTexture->frameBufferObjectId = frameBufferStruct.id;
5171 geometryBufferTexture1->frameBufferObjectId = frameBufferStruct.id;
5172 geometryBufferTexture2->frameBufferObjectId = frameBufferStruct.id;
5173 geometryBufferTexture3->frameBufferObjectId = frameBufferStruct.id;
5174 colorBufferTexture1->frameBufferObjectId = frameBufferStruct.id;
5175 colorBufferTexture2->frameBufferObjectId = frameBufferStruct.id;
5176 colorBufferTexture3->frameBufferObjectId = frameBufferStruct.id;
5177 colorBufferTexture4->frameBufferObjectId = frameBufferStruct.id;
5178 colorBufferTexture5->frameBufferObjectId = frameBufferStruct.id;
5179
5180 //
5181 if (depthBufferTexture->width == 0 || depthBufferTexture->height == 0 ||
5182 depthBufferTexture->width != geometryBufferTexture1->width || depthBufferTexture->height != geometryBufferTexture1->height ||
5183 depthBufferTexture->width != geometryBufferTexture2->width || depthBufferTexture->height != geometryBufferTexture2->height ||
5184 depthBufferTexture->width != geometryBufferTexture3->width || depthBufferTexture->height != geometryBufferTexture3->height ||
5185 depthBufferTexture->width != colorBufferTexture1->width || depthBufferTexture->height != colorBufferTexture1->height ||
5186 depthBufferTexture->width != colorBufferTexture2->width || depthBufferTexture->height != colorBufferTexture2->height ||
5187 depthBufferTexture->width != colorBufferTexture3->width || depthBufferTexture->height != colorBufferTexture3->height ||
5188 depthBufferTexture->width != colorBufferTexture4->width || depthBufferTexture->height != colorBufferTexture4->height ||
5189 depthBufferTexture->width != colorBufferTexture5->width || depthBufferTexture->height != colorBufferTexture5->height) {
5190 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): geometry buffer: attachments with different dimension found: Not creating!");
5191 return;
5192 }
5193
5194 //
5195 array<texture_type*, 8> colorBufferTextures = {
5196 geometryBufferTexture1,
5197 geometryBufferTexture2,
5198 geometryBufferTexture3,
5199 colorBufferTexture1,
5200 colorBufferTexture2,
5201 colorBufferTexture3,
5202 colorBufferTexture4,
5203 colorBufferTexture5
5204 };
5205
5206 //
5207 VkResult err;
5208
5209 //
5210 {
5211 if (frameBufferStruct.renderPass != VK_NULL_HANDLE) vkDestroyRenderPass(device, frameBufferStruct.renderPass, nullptr);
5212
5213 //
5214 auto attachmentIdx = 0;
5215 array<VkAttachmentDescription, 9> attachments;
5216 for (auto colorBufferTexture: colorBufferTextures) {
5217 attachments[attachmentIdx++] = {
5218 .flags = 0,
5219 .format = colorBufferTexture->format,
5220 .samples = VK_SAMPLE_COUNT_1_BIT,
5221 .loadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
5222 .storeOp = VK_ATTACHMENT_STORE_OP_STORE,
5223 .stencilLoadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
5224 .stencilStoreOp = VK_ATTACHMENT_STORE_OP_DONT_CARE,
5225 .initialLayout = colorBufferTexture->vkLayout == VK_IMAGE_LAYOUT_GENERAL?VK_IMAGE_LAYOUT_GENERAL:VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL,
5226 .finalLayout = colorBufferTexture->vkLayout == VK_IMAGE_LAYOUT_GENERAL?VK_IMAGE_LAYOUT_GENERAL:VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL,
5227 };
5228 }
5229 attachments[attachmentIdx++] = {
5230 .flags = 0,
5231 .format = depthBufferTexture->format,
5232 .samples = VK_SAMPLE_COUNT_1_BIT,
5233 .loadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
5234 .storeOp = VK_ATTACHMENT_STORE_OP_DONT_CARE,
5235 .stencilLoadOp = VK_ATTACHMENT_LOAD_OP_DONT_CARE,
5236 .stencilStoreOp = VK_ATTACHMENT_STORE_OP_STORE,
5237 .initialLayout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL,
5238 .finalLayout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL
5239 };
5240 array<VkAttachmentReference, 8> colorReferences;
5241 {
5242 auto i = 0;
5243 for (auto colorBufferTexture: colorBufferTextures) {
5244 colorReferences[i] = {
5245 .attachment = static_cast<uint32_t>(i),
5246 .layout = colorBufferTexture->vkLayout == VK_IMAGE_LAYOUT_GENERAL?VK_IMAGE_LAYOUT_GENERAL:VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL
5247 };
5248 i++;
5249 }
5250 }
5251 const VkAttachmentReference depthReference = {
5252 .attachment = 8,
5253 .layout = VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL,
5254 };
5255 const VkSubpassDescription subpassDescription = {
5256 .flags = 0,
5257 .pipelineBindPoint = VK_PIPELINE_BIND_POINT_GRAPHICS,
5258 .inputAttachmentCount = 0,
5259 .pInputAttachments = nullptr,
5260 .colorAttachmentCount = 8,
5261 .pColorAttachments = colorReferences.data(),
5262 .pResolveAttachments = nullptr,
5263 .pDepthStencilAttachment = &depthReference,
5264 .preserveAttachmentCount = 0,
5265 .pPreserveAttachments = nullptr
5266 };
5267 const VkRenderPassCreateInfo renderPassCreateInfo = {
5268 .sType = VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO,
5269 .pNext = nullptr,
5270 .flags = 0,
5271 .attachmentCount = static_cast<uint32_t>(attachmentIdx),
5272 .pAttachments = attachments.data(),
5273 .subpassCount = 1,
5274 .pSubpasses = &subpassDescription,
5275 .dependencyCount = 0,
5276 .pDependencies = nullptr
5277 };
5278 err = vkCreateRenderPass(device, &renderPassCreateInfo, nullptr, &frameBufferStruct.renderPass);
5279 assert(!err);
5280 }
5281
5282 //
5283 {
5284 if (frameBufferStruct.frameBuffer != VK_NULL_HANDLE) vkDestroyFramebuffer(device, frameBufferStruct.frameBuffer, nullptr);
5285 auto attachmentIdx = 0;
5286 array<VkImageView, 9> attachments;
5287 for (auto colorBufferTexture: colorBufferTextures) {
5288 attachments[attachmentIdx++] = colorBufferTexture->view;
5289 }
5290 attachments[attachmentIdx++] = depthBufferTexture->view;
5291 const VkFramebufferCreateInfo frameBufferCreateInfo = {
5292 .sType = VK_STRUCTURE_TYPE_FRAMEBUFFER_CREATE_INFO,
5293 .pNext = nullptr,
5294 .flags = 0,
5295 .renderPass = frameBufferStruct.renderPass,
5296 .attachmentCount = static_cast<uint32_t>(attachmentIdx),
5297 .pAttachments = attachments.data(),
5298 .width = depthBufferTexture->width,
5299 .height = depthBufferTexture->height,
5300 .layers = 1
5301 };
5302 err = vkCreateFramebuffer(device, &frameBufferCreateInfo, nullptr, &frameBufferStruct.frameBuffer);
5303 assert(!err);
5304 }
5305 }
5306}
5307
5308int32_t VKRenderer::createFramebufferObject(int32_t depthBufferTextureId, int32_t colorBufferTextureId, int32_t cubeMapTextureId, int32_t cubeMapTextureIndex)
5309{
5310 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(depthBufferTextureId) + ", " + to_string(colorBufferTextureId) + " / " + to_string(cubeMapTextureId) + " / " + to_string(cubeMapTextureIndex));
5311
5312 // try to reuse a frame buffer id
5313 auto reuseIndex = -1;
5314 for (auto i = 1; i < framebuffers.size(); i++) {
5315 if (framebuffers[i] == nullptr) {
5316 reuseIndex = i;
5317 break;
5318 }
5319 }
5320
5321 //
5322 auto frameBufferPtr = new framebuffer_object_type();
5323 auto& frameBuffer = *frameBufferPtr;
5324 frameBuffer.id = reuseIndex != -1?reuseIndex:framebuffers.size();
5326 frameBuffer.depthTextureId = depthBufferTextureId;
5327 frameBuffer.colorTextureId = colorBufferTextureId;
5328 frameBuffer.cubemapTextureId = cubeMapTextureId;
5329 frameBuffer.cubemapTextureIndex = cubeMapTextureIndex;
5330 if (cubeMapTextureId != ID_NONE) {
5331 auto cubeMapTexture = getTextureInternal(cubeMapTextureId);
5332 if (cubeMapTexture == nullptr) {
5333 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): missing cube map texture with id: " + to_string(cubeMapTextureId));
5334 } else {
5335 cubeMapTexture->bindTexture = cubeMapTexture;
5336 }
5337 }
5338
5339 //
5340 if (reuseIndex != -1) {
5341 framebuffers[reuseIndex] = frameBufferPtr;
5342 } else {
5343 framebuffers.push_back(frameBufferPtr);
5344 }
5345
5346 //
5347 createFramebufferObject(frameBuffer.id);
5348 return frameBuffer.id;
5349}
5350
5352 int32_t depthBufferTextureId,
5353 int32_t geometryBufferTextureId1,
5354 int32_t geometryBufferTextureId2,
5355 int32_t geometryBufferTextureId3,
5356 int32_t colorBufferTextureId1,
5357 int32_t colorBufferTextureId2,
5358 int32_t colorBufferTextureId3,
5359 int32_t colorBufferTextureId4,
5360 int32_t colorBufferTextureId5
5361) {
5362 if (VERBOSE == true) {
5363 Console::println(
5364 "VKRenderer::" + string(__FUNCTION__) + "(): " +
5365 to_string(depthBufferTextureId) + ", " +
5366 to_string(geometryBufferTextureId1) + ", " +
5367 to_string(geometryBufferTextureId2) + ", " +
5368 to_string(geometryBufferTextureId3) + ", " +
5369 to_string(colorBufferTextureId1) + ", " +
5370 to_string(colorBufferTextureId2) + ", " +
5371 to_string(colorBufferTextureId3) + ", " +
5372 to_string(colorBufferTextureId4) + ", " +
5373 to_string(colorBufferTextureId5)
5374 );
5375 }
5376
5377 // try to reuse a frame buffer id
5378 auto reuseIndex = -1;
5379 for (auto i = 1; i < framebuffers.size(); i++) {
5380 if (framebuffers[i] == nullptr) {
5381 reuseIndex = i;
5382 break;
5383 }
5384 }
5385
5386 //
5387 auto frameBufferPtr = new framebuffer_object_type();
5388 auto& frameBuffer = *frameBufferPtr;
5389 frameBuffer.id = reuseIndex != -1?reuseIndex:framebuffers.size();
5391 frameBuffer.depthTextureId = depthBufferTextureId;
5392 frameBuffer.gbufferGeometryBufferTextureId1 = geometryBufferTextureId1;
5393 frameBuffer.gbufferGeometryBufferTextureId2 = geometryBufferTextureId2;
5394 frameBuffer.gbufferGeometryBufferTextureId3 = geometryBufferTextureId3;
5395 frameBuffer.gbufferColorBufferTextureId1 = colorBufferTextureId1;
5396 frameBuffer.gbufferColorBufferTextureId2 = colorBufferTextureId2;
5397 frameBuffer.gbufferColorBufferTextureId3 = colorBufferTextureId3;
5398 frameBuffer.gbufferColorBufferTextureId4 = colorBufferTextureId4;
5399 frameBuffer.gbufferColorBufferTextureId5 = colorBufferTextureId5;
5400
5401 //
5402 if (reuseIndex != -1) {
5403 framebuffers[reuseIndex] = frameBufferPtr;
5404 } else {
5405 framebuffers.push_back(frameBufferPtr);
5406 }
5407
5408 //
5409 createFramebufferObject(frameBuffer.id);
5410 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): new geometry frame buffer: " + to_string(frameBuffer.id));
5411 return frameBuffer.id;
5412}
5413
5414void VKRenderer::bindFrameBuffer(int32_t frameBufferId)
5415{
5416 //
5417 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(boundFrameBufferId) + " --> " + to_string(frameBufferId));
5418
5419 //
5420 if (frameBufferId == boundFrameBufferId) return;
5421
5422 // if unsetting program flush command buffers
5424
5425 //
5426 framebufferPipelinesCache = nullptr;
5427
5428 //
5429 if (boundFrameBufferId != ID_NONE) {
5430 auto frameBuffer = boundFrameBufferId < 0 || boundFrameBufferId >= framebuffers.size()?nullptr:framebuffers[boundFrameBufferId];
5431 if (frameBuffer == nullptr) {
5432 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): framebuffer not found: " + to_string(boundFrameBufferId));
5433 } else {
5434 if (frameBuffer->type == framebuffer_object_type::TYPE_COLORBUFFER) {
5435 auto depthBufferTextureId = frameBuffer->depthTextureId;
5436 if (depthBufferTextureId != ID_NONE) {
5437 auto& depthBufferTexture = *textures[depthBufferTextureId];
5438 if (depthBufferTexture.frameBufferUnbindImageLayoutChange.valid == false) {
5440 depthBufferTexture.frameBufferUnbindImageLayoutChange,
5441 &depthBufferTexture,
5442 { THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ, THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE },
5443 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
5444 THSVS_IMAGE_LAYOUT_OPTIMAL,
5445 THSVS_IMAGE_LAYOUT_OPTIMAL,
5446 false,
5447 0,
5448 1
5449 );
5450 }
5451 applyImageLayoutChange(0, depthBufferTexture.frameBufferUnbindImageLayoutChange, &depthBufferTexture, false);
5452 }
5453 auto colorBufferTextureId = frameBuffer->colorTextureId;
5454 if (colorBufferTextureId != ID_NONE) {
5455 auto& colorBufferTexture = *textures[colorBufferTextureId];
5456 if (colorBufferTexture.frameBufferUnbindImageLayoutChange.valid == false) {
5458 colorBufferTexture.frameBufferUnbindImageLayoutChange,
5459 &colorBufferTexture,
5460 { THSVS_ACCESS_COLOR_ATTACHMENT_READ, THSVS_ACCESS_COLOR_ATTACHMENT_WRITE},
5461 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
5462 THSVS_IMAGE_LAYOUT_OPTIMAL,
5463 THSVS_IMAGE_LAYOUT_OPTIMAL,
5464 false,
5465 0,
5466 1
5467 );
5468 }
5469 applyImageLayoutChange(0, colorBufferTexture.frameBufferUnbindImageLayoutChange, &colorBufferTexture, false);
5470 }
5471 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(frameBufferId) + ": color buffer: unbinding: " + to_string(colorBufferTextureId) + " / " + to_string(depthBufferTextureId));
5472 } else
5473 if (frameBuffer->type == framebuffer_object_type::TYPE_GEOMETRYBUFFER) {
5474 auto depthBufferTextureId = frameBuffer->depthTextureId;
5475 auto colorBufferTextureId1 = frameBuffer->gbufferColorBufferTextureId1;
5476 auto colorBufferTextureId2 = frameBuffer->gbufferColorBufferTextureId2;
5477 auto colorBufferTextureId3 = frameBuffer->gbufferColorBufferTextureId3;
5478 auto colorBufferTextureId4 = frameBuffer->gbufferColorBufferTextureId4;
5479 auto colorBufferTextureId5 = frameBuffer->gbufferColorBufferTextureId5;
5480 if (depthBufferTextureId != ID_NONE) {
5481 auto& depthBufferTexture = *textures[depthBufferTextureId];
5482 if (depthBufferTexture.frameBufferUnbindImageLayoutChange.valid == false) {
5484 depthBufferTexture.frameBufferUnbindImageLayoutChange,
5485 &depthBufferTexture,
5486 { THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ, THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE },
5487 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
5488 THSVS_IMAGE_LAYOUT_OPTIMAL,
5489 THSVS_IMAGE_LAYOUT_OPTIMAL,
5490 false,
5491 0,
5492 1
5493 );
5494 }
5495 applyImageLayoutChange(0, depthBufferTexture.frameBufferUnbindImageLayoutChange, &depthBufferTexture, false);
5496 }
5497 array<texture_type*, 8> colorBufferTextures = {
5498 textures[frameBuffer->gbufferGeometryBufferTextureId1],
5499 textures[frameBuffer->gbufferGeometryBufferTextureId2],
5500 textures[frameBuffer->gbufferGeometryBufferTextureId3],
5501 textures[frameBuffer->gbufferColorBufferTextureId1],
5502 textures[frameBuffer->gbufferColorBufferTextureId2],
5503 textures[frameBuffer->gbufferColorBufferTextureId3],
5504 textures[frameBuffer->gbufferColorBufferTextureId4],
5505 textures[frameBuffer->gbufferColorBufferTextureId5]
5506 };
5507 array<image_layout_change, 8> colorBufferTexturesImageLayoutChanges;
5508 auto i = 0;
5509 for (auto colorBufferTexture: colorBufferTextures) {
5510 if (colorBufferTexture->frameBufferUnbindImageLayoutChange.valid == false) {
5512 colorBufferTexture->frameBufferUnbindImageLayoutChange,
5513 colorBufferTexture,
5514 { THSVS_ACCESS_COLOR_ATTACHMENT_READ, THSVS_ACCESS_COLOR_ATTACHMENT_WRITE},
5515 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
5516 THSVS_IMAGE_LAYOUT_OPTIMAL,
5517 THSVS_IMAGE_LAYOUT_OPTIMAL,
5518 false,
5519 0,
5520 1
5521 );
5522 }
5523 colorBufferTexturesImageLayoutChanges[i++] = colorBufferTexture->frameBufferUnbindImageLayoutChange;
5524 }
5525 applyImageLayoutChanges(0, colorBufferTexturesImageLayoutChanges, colorBufferTextures, false);
5526 if (VERBOSE == true) Console::println(
5527 "VKRenderer::" + string(__FUNCTION__) + "(): " +
5528 to_string(frameBufferId) +
5529 ": geometry buffer: unbinding: " +
5530 to_string(depthBufferTextureId) + ", " +
5531 to_string(colorBufferTextures[0]->id) + ", " +
5532 to_string(colorBufferTextures[1]->id) + ", " +
5533 to_string(colorBufferTextures[2]->id) + ", " +
5534 to_string(colorBufferTextures[3]->id) + ", " +
5535 to_string(colorBufferTextures[4]->id) + ", " +
5536 to_string(colorBufferTextures[5]->id) + ", " +
5537 to_string(colorBufferTextures[6]->id) + ", " +
5538 to_string(colorBufferTextures[7]->id)
5539 );
5540 }
5541 }
5542 }
5543
5544 //
5545 if (frameBufferId != ID_NONE) {
5546 auto frameBuffer = frameBufferId < 0 || frameBufferId >= framebuffers.size()?nullptr:framebuffers[frameBufferId];
5547 if (frameBuffer == nullptr) {
5548 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): framebuffer not found: " + to_string(frameBufferId));
5549 frameBufferId = ID_NONE;
5550 }
5551 }
5552
5553 //
5554 boundFrameBufferId = frameBufferId;
5555 if (boundFrameBufferId != ID_NONE) {
5556 auto frameBuffer = boundFrameBufferId < 0 || boundFrameBufferId >= framebuffers.size()?nullptr:framebuffers[boundFrameBufferId];
5557 if (frameBuffer == nullptr) {
5558 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): framebuffer not found: " + to_string(boundFrameBufferId));
5559 } else {
5560 if (frameBuffer->type == framebuffer_object_type::TYPE_COLORBUFFER) {
5561 auto depthBufferTextureId = frameBuffer->depthTextureId;
5562 auto colorBufferTextureId = frameBuffer->colorTextureId;
5563 if (depthBufferTextureId != ID_NONE) {
5564 auto& depthBufferTexture = *textures[depthBufferTextureId];
5565 if (depthBufferTexture.frameBufferBindImageLayoutChange.valid == false) {
5567 depthBufferTexture.frameBufferBindImageLayoutChange,
5568 &depthBufferTexture,
5569 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
5570 { THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ, THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE },
5571 THSVS_IMAGE_LAYOUT_OPTIMAL,
5572 THSVS_IMAGE_LAYOUT_OPTIMAL,
5573 false,
5574 0,
5575 1
5576 );
5577 }
5578 applyImageLayoutChange(0, depthBufferTexture.frameBufferBindImageLayoutChange, &depthBufferTexture, false);
5579 }
5580 if (colorBufferTextureId != ID_NONE) {
5581 auto& colorBufferTexture = *textures[colorBufferTextureId];
5582 if (colorBufferTexture.frameBufferBindImageLayoutChange.valid == false) {
5584 colorBufferTexture.frameBufferBindImageLayoutChange,
5585 &colorBufferTexture,
5586 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
5587 { THSVS_ACCESS_COLOR_ATTACHMENT_READ, THSVS_ACCESS_COLOR_ATTACHMENT_WRITE},
5588 THSVS_IMAGE_LAYOUT_OPTIMAL,
5589 THSVS_IMAGE_LAYOUT_OPTIMAL,
5590 false,
5591 0,
5592 1
5593 );
5594 }
5595 applyImageLayoutChange(0, colorBufferTexture.frameBufferBindImageLayoutChange, &colorBufferTexture, false);
5596 }
5597 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(frameBufferId) + ": binding: " + to_string(colorBufferTextureId) + " / " + to_string(depthBufferTextureId));
5598 } else
5599 if (frameBuffer->type == framebuffer_object_type::TYPE_GEOMETRYBUFFER) {
5600 auto depthBufferTextureId = frameBuffer->depthTextureId;
5601 auto colorBufferTextureId1 = frameBuffer->gbufferColorBufferTextureId1;
5602 auto colorBufferTextureId2 = frameBuffer->gbufferColorBufferTextureId2;
5603 auto colorBufferTextureId3 = frameBuffer->gbufferColorBufferTextureId3;
5604 auto colorBufferTextureId4 = frameBuffer->gbufferColorBufferTextureId4;
5605 auto colorBufferTextureId5 = frameBuffer->gbufferColorBufferTextureId5;
5606 if (depthBufferTextureId != ID_NONE) {
5607 auto& depthBufferTexture = *textures[depthBufferTextureId];
5608 if (depthBufferTexture.frameBufferBindImageLayoutChange.valid == false) {
5610 depthBufferTexture.frameBufferBindImageLayoutChange,
5611 &depthBufferTexture,
5612 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
5613 { THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ, THSVS_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE },
5614 THSVS_IMAGE_LAYOUT_OPTIMAL,
5615 THSVS_IMAGE_LAYOUT_OPTIMAL,
5616 false,
5617 0,
5618 1
5619 );
5620 }
5621 applyImageLayoutChange(0, depthBufferTexture.frameBufferBindImageLayoutChange, &depthBufferTexture, false);
5622 }
5623 array<texture_type*, 8> colorBufferTextures = {
5624 textures[frameBuffer->gbufferGeometryBufferTextureId1],
5625 textures[frameBuffer->gbufferGeometryBufferTextureId2],
5626 textures[frameBuffer->gbufferGeometryBufferTextureId3],
5627 textures[frameBuffer->gbufferColorBufferTextureId1],
5628 textures[frameBuffer->gbufferColorBufferTextureId2],
5629 textures[frameBuffer->gbufferColorBufferTextureId3],
5630 textures[frameBuffer->gbufferColorBufferTextureId4],
5631 textures[frameBuffer->gbufferColorBufferTextureId5]
5632 };
5633 array<image_layout_change, 8> colorBufferTexturesImageLayoutChanges;
5634 auto i = 0;
5635 for (auto colorBufferTexture: colorBufferTextures) {
5636 if (colorBufferTexture->frameBufferBindImageLayoutChange.valid == false) {
5638 colorBufferTexture->frameBufferBindImageLayoutChange,
5639 colorBufferTexture,
5640 { THSVS_ACCESS_FRAGMENT_SHADER_READ_SAMPLED_IMAGE_OR_UNIFORM_TEXEL_BUFFER, THSVS_ACCESS_NONE },
5641 { THSVS_ACCESS_COLOR_ATTACHMENT_READ, THSVS_ACCESS_COLOR_ATTACHMENT_WRITE },
5642 THSVS_IMAGE_LAYOUT_OPTIMAL,
5643 THSVS_IMAGE_LAYOUT_OPTIMAL,
5644 false,
5645 0,
5646 1
5647 );
5648 }
5649 colorBufferTexturesImageLayoutChanges[i++] = colorBufferTexture->frameBufferBindImageLayoutChange;
5650 }
5651 applyImageLayoutChanges(0, colorBufferTexturesImageLayoutChanges, colorBufferTextures, false);
5652 if (VERBOSE == true) Console::println(
5653 "VKRenderer::" + string(__FUNCTION__) + "(): " +
5654 to_string(frameBufferId) +
5655 ": geometry buffer: binding: " +
5656 to_string(depthBufferTextureId) + ", " +
5657 to_string(colorBufferTextures[0]->id) + ", " +
5658 to_string(colorBufferTextures[1]->id) + ", " +
5659 to_string(colorBufferTextures[2]->id) + ", " +
5660 to_string(colorBufferTextures[3]->id) + ", " +
5661 to_string(colorBufferTextures[4]->id) + ", " +
5662 to_string(colorBufferTextures[5]->id) + ", " +
5663 to_string(colorBufferTextures[6]->id) + ", " +
5664 to_string(colorBufferTextures[7]->id)
5665 );
5666 }
5667 }
5668 }
5669
5670 //
5672}
5673
5674void VKRenderer::disposeFrameBufferObject(int32_t frameBufferId)
5675{
5676 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(frameBufferId));
5677 auto frameBuffer = frameBufferId < 1 || frameBufferId >= framebuffers.size()?nullptr:framebuffers[frameBufferId];
5678 if (frameBuffer == nullptr) {
5679 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): framebuffer not found: " + to_string(frameBufferId));
5680 return;
5681 }
5682 vkDestroyRenderPass(device, frameBuffer->renderPass, nullptr);
5683 vkDestroyFramebuffer(device, frameBuffer->frameBuffer, nullptr);
5684 delete frameBuffer;
5685 framebuffers[frameBufferId] = nullptr;
5686 //
5688}
5689
5690vector<int32_t> VKRenderer::createBufferObjects(int32_t bufferCount, bool useGPUMemory, bool shared)
5691{
5692 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
5693 vector<int32_t> bufferIds;
5695 if (bufferIdx - freeBufferIds.size() > BUFFERS_MAX) {
5696 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): coud not allocate buffer object, maximum is " + to_string(BUFFERS_MAX));
5698 return bufferIds;
5699 }
5700 for (auto i = 0; i < bufferCount; i++) {
5701 auto bufferPtr = new buffer_object_type();
5702 auto& buffer = *bufferPtr;
5703 auto reuseBufferId = -1;
5704 if (freeBufferIds.empty() == false) {
5705 auto reuseBufferIdIdx = freeBufferIds.size() - 1;
5706 reuseBufferId = freeBufferIds[reuseBufferIdIdx];
5707 freeBufferIds.erase(freeBufferIds.begin() + reuseBufferIdIdx);
5708 }
5709 buffer.id = reuseBufferId != -1?reuseBufferId:bufferIdx++;
5710 buffer.useGPUMemory = useGPUMemory;
5711 buffer.shared = shared;
5712 buffer.frameUsedLast = -1LL;
5713 buffer.frameCleanedLast = frame;
5714 buffer.bindBuffer = emptyVertexBuffer != nullptr?emptyVertexBuffer->bindBuffer:nullptr;
5715 buffers[buffer.id] = bufferPtr;
5716 bufferIds.push_back(buffer.id);
5717 }
5719 return bufferIds;
5720}
5721
5722inline VkBuffer VKRenderer::getBindBufferObjectInternal(int32_t bufferObjectId, uint32_t& size) {
5723 auto bufferObject = buffers[bufferObjectId > 0 && bufferObjectId <= BUFFERS_MAX?bufferObjectId:emptyVertexBufferId];
5724 if (bufferObject == nullptr) bufferObject = buffers[emptyVertexBufferId];
5725 auto buffer = bufferObject->bindBuffer;
5726 buffer->frameUsedLast = frame;
5727 size = buffer->size;
5728 return buffer->buf;
5729}
5730
5732 return bufferObjectId > 0 && bufferObjectId <= BUFFERS_MAX?buffers[bufferObjectId]:nullptr;
5733}
5734
5735inline void VKRenderer::createBuffer(VkDeviceSize size, VkBufferUsageFlags usage, VkMemoryPropertyFlags properties, VkBuffer& buffer, VmaAllocation& allocation, VmaAllocationInfo& allocationInfo) {
5736 //
5737 VkResult err;
5738
5739 const VkBufferCreateInfo bufferCreateInfo = {
5740 .sType = VK_STRUCTURE_TYPE_BUFFER_CREATE_INFO,
5741 .pNext = nullptr,
5742 .flags = 0,
5743 .size = static_cast<uint32_t>(size),
5744 .usage = usage,
5745 .sharingMode = VK_SHARING_MODE_EXCLUSIVE,
5746 .queueFamilyIndexCount = 0,
5747 .pQueueFamilyIndices = nullptr
5748 };
5749
5750 VmaAllocationCreateInfo allocationCreateInfo = {};
5751 allocationCreateInfo.flags = (properties & VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) == VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT?VMA_ALLOCATION_CREATE_MAPPED_BIT:0;
5752 allocationCreateInfo.usage = VMA_MEMORY_USAGE_UNKNOWN;
5753 allocationCreateInfo.requiredFlags = properties;
5754
5755 //
5756 err = vmaCreateBuffer(vmaAllocator, &bufferCreateInfo, &allocationCreateInfo, &buffer, &allocation, &allocationInfo);
5757 assert(!err);
5758}
5759
5760inline void VKRenderer::uploadBufferObjectInternal(int contextIdx, int32_t bufferObjectId, int32_t size, const uint8_t* data, VkBufferUsageFlagBits usage) {
5761 if (size == 0) return;
5762
5763 auto buffer = getBufferObjectInternal(bufferObjectId);
5764 if (buffer == nullptr) return;
5765
5766 //
5767 if (buffer->shared == true) buffersMutex.lock();
5768
5769 // do the work
5770 uploadBufferObjectInternal(contextIdx, buffer, size, data, usage);
5771
5772 //
5773 if (buffer->shared == true) buffersMutex.unlock();
5774}
5775
5776inline void VKRenderer::vmaMemCpy(VmaAllocation allocationDst, const uint8_t* _src, uint32_t size, uint32_t _offset) {
5777 vmaSpinlock.lock();
5778 VmaAllocationInfo dstAllocationInfo {};
5779 vmaGetAllocationInfo(vmaAllocator, allocationDst, &dstAllocationInfo);
5780
5781 //
5782 auto remainingSize = size;
5783 auto offset = _offset;
5784 auto src = _src;
5785 auto dst = static_cast<uint8_t*>(dstAllocationInfo.pMappedData) + offset;
5786 while (remainingSize >= 8) {
5787 *(uint64_t*)dst = *(uint64_t*)src;
5788 remainingSize-= 8;
5789 src+= 8;
5790 dst+= 8;
5791 }
5792 while (remainingSize >= 4) {
5793 *(uint32_t*)dst = *(uint32_t*)src;
5794 remainingSize-= 4;
5795 src+= 4;
5796 dst+= 4;
5797 }
5798 //
5800}
5801
5802inline void VKRenderer::uploadBufferObjectInternal(int contextIdx, buffer_object_type* buffer, int32_t size, const uint8_t* data, VkBufferUsageFlagBits usage) {
5803 if (size == 0) return;
5804
5805 //
5806 buffer->uploading = true;
5807
5808 //
5809 VkResult err;
5810
5811 //
5812 if (buffer->frameUsedLast != frame) {
5813 // clean up, not sure if this should be done on usage only
5814 vector<int> buffersToRemove;
5815 if (buffer->bufferCount > 1 && frame >= buffer->frameCleanedLast + 10) {
5816 int i = 0;
5817 vector<int32_t> buffersToRemove;
5818 for (auto& reusableBufferCandidate: buffer->buffers) {
5819 if (frame >= reusableBufferCandidate.frameUsedLast + 10) {
5820 if (reusableBufferCandidate.memoryMappable == true) vmaUnmapMemory(vmaAllocator, reusableBufferCandidate.allocation);
5821 vmaDestroyBuffer(vmaAllocator, reusableBufferCandidate.buf, reusableBufferCandidate.allocation);
5822 buffersToRemove.push_back(i - buffersToRemove.size());
5823 }
5824 i++;
5825 }
5826 for (auto bufferToRemove: buffersToRemove) {
5827 auto it = buffer->buffers.begin();
5828 for (auto i = 0; i < bufferToRemove; i++) ++it;
5829 buffer->buffers.erase(it);
5830 buffer->bufferCount--;
5831 }
5832 //
5833 buffer->frameCleanedLast = frame;
5834 //
5835 AtomicOperations::increment(statistics.disposedBuffers, buffersToRemove.size());
5836 }
5837
5838 // create free list
5839 buffer->frameFreeBuffers.clear();
5840 for (auto& reusableBufferCandidate: buffer->buffers) {
5841 buffer->frameFreeBuffers.push_back(&reusableBufferCandidate);
5842 }
5843
5844 //
5845 buffer->frameUsedLast = frame;
5846 }
5847
5848 // find a reusable buffer
5849 buffer_object_type::reusable_buffer* reusableBuffer = nullptr;
5850 for (int i = buffer->frameFreeBuffers.size() - 1; i >= 0 ; i--) {
5851 buffer_object_type::reusable_buffer* reusableBufferCandidate = buffer->frameFreeBuffers[i];
5852 if (reusableBufferCandidate->size >= size &&
5853 reusableBufferCandidate->frameUsedLast < frame) {
5854 reusableBuffer = reusableBufferCandidate;
5855 // ok, remove it from free buffers for current frame
5856 buffer->frameFreeBuffers.erase(buffer->frameFreeBuffers.begin() + i);
5857 break;
5858 }
5859 }
5860
5861 // nope, create one
5862 if (reusableBuffer == nullptr) {
5863 buffer->buffers.push_back(buffer_object_type::reusable_buffer());
5864 reusableBuffer = &buffer->buffers.back();
5865 buffer->bufferCount++;
5866 }
5867
5868 // create buffer if not yet done
5869 if (reusableBuffer->size == 0) {
5870 VmaAllocationInfo allocationInfo = {};
5871 createBuffer(size, usage, buffer->useGPUMemory == true?VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT:VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT, reusableBuffer->buf, reusableBuffer->allocation, allocationInfo);
5872 reusableBuffer->size = size;
5873
5874 VkMemoryPropertyFlags memoryFlags;
5875 vmaGetMemoryTypeProperties(vmaAllocator, allocationInfo.memoryType, &memoryFlags);
5876 reusableBuffer->memoryMappable = (memoryFlags & VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) == VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT;
5877 if (reusableBuffer->memoryMappable == true) {
5878 void* mmData;
5879 vmaMapMemory(vmaAllocator, reusableBuffer->allocation, &mmData);
5880 }
5881 }
5882
5883 // create buffer
5884 if (reusableBuffer->memoryMappable == true) {
5885 // copy to buffer
5886 vmaMemCpy(reusableBuffer->allocation, data, size);
5887 } else {
5888 prepareSetupCommandBuffer(contextIdx);
5889
5890 void* stagingData;
5891 VkBuffer stagingBuffer;
5892 VmaAllocation stagingBufferAllocation;
5893 VkDeviceSize stagingBufferAllocationSize;
5894 VmaAllocationInfo stagingBufferAllocationInfo = {};
5895 createBuffer(size, VK_BUFFER_USAGE_TRANSFER_SRC_BIT, VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT, stagingBuffer, stagingBufferAllocation, stagingBufferAllocationInfo);
5896 // mark staging buffer for deletion when finishing frame
5897 deleteMutex.lock();
5898 deleteBuffers.push_back(
5899 {
5900 .buffer = stagingBuffer,
5901 .allocation = stagingBufferAllocation
5902 }
5903 );
5905
5906 void* mmData;
5907 vmaMapMemory(vmaAllocator, stagingBufferAllocation, &mmData);
5908
5909 //
5910 vmaMemCpy(stagingBufferAllocation, data, size);
5911
5912 // copy to GPU buffer
5913 VkBufferCopy copyRegion = {
5914 .srcOffset = 0,
5915 .dstOffset = 0,
5916 .size = static_cast<VkDeviceSize>(size)
5917 };
5918 vkCmdCopyBuffer(contexts[contextIdx].setupCommandInUse, stagingBuffer, reusableBuffer->buf, 1, &copyRegion);
5919
5920 //
5921 finishSetupCommandBuffer(contextIdx);
5922 }
5923
5924 // frame and current buffer
5925 reusableBuffer->frameUsedLast = frame;
5926 buffer->currentBuffer = reusableBuffer;
5927 buffer->bindBuffer = reusableBuffer;
5928
5929 //
5930 buffer->uploading = false;
5931
5932 //
5933 AtomicOperations::increment(statistics.bufferUploads);
5934}
5935
5936void VKRenderer::uploadBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, FloatBuffer* data)
5937{
5938 uploadBufferObjectInternal(contextIdx, bufferObjectId, size, data->getBuffer(), (VkBufferUsageFlagBits)(VK_BUFFER_USAGE_TRANSFER_DST_BIT | VK_BUFFER_USAGE_VERTEX_BUFFER_BIT | VK_BUFFER_USAGE_STORAGE_BUFFER_BIT));
5939}
5940
5941void VKRenderer::uploadBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, ShortBuffer* data)
5942{
5943 uploadBufferObjectInternal(contextIdx, bufferObjectId, size, data->getBuffer(), (VkBufferUsageFlagBits)(VK_BUFFER_USAGE_TRANSFER_DST_BIT | VK_BUFFER_USAGE_VERTEX_BUFFER_BIT | VK_BUFFER_USAGE_STORAGE_BUFFER_BIT));
5944}
5945
5946void VKRenderer::uploadBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, IntBuffer* data)
5947{
5948 uploadBufferObjectInternal(contextIdx, bufferObjectId, size, data->getBuffer(), (VkBufferUsageFlagBits)(VK_BUFFER_USAGE_TRANSFER_DST_BIT | VK_BUFFER_USAGE_VERTEX_BUFFER_BIT | VK_BUFFER_USAGE_STORAGE_BUFFER_BIT));
5949}
5950
5951void VKRenderer::uploadIndicesBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, ShortBuffer* data)
5952{
5953 uploadBufferObjectInternal(contextIdx, bufferObjectId, size, data->getBuffer(), (VkBufferUsageFlagBits)(VK_BUFFER_USAGE_TRANSFER_DST_BIT | VK_BUFFER_USAGE_INDEX_BUFFER_BIT));
5954}
5955
5956void VKRenderer::uploadIndicesBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, IntBuffer* data)
5957{
5958 uploadBufferObjectInternal(contextIdx, bufferObjectId, size, data->getBuffer(), (VkBufferUsageFlagBits)(VK_BUFFER_USAGE_TRANSFER_DST_BIT | VK_BUFFER_USAGE_INDEX_BUFFER_BIT));
5959}
5960
5962 return textureId > 0 && textureId <= TEXTURES_MAX?textures[textureId]:nullptr;
5963}
5964
5966 auto textureObject = textureId > 0 && textureId <= TEXTURES_MAX?textures[textureId]:nullptr;
5967 if (textureObject == nullptr) return nullptr;
5968 return textureObject->bindTexture;
5969}
5970
5973 framebuffer_pipelines_type* framebufferPipelinesCandidate = nullptr;
5974 for (auto i = 0; i < framebuffersPipelines.size(); i++) {
5975 framebufferPipelinesCandidate = framebuffersPipelines[i];
5976 if (framebufferPipelinesCandidate->id == framebufferPipelinesId) {
5977 framebufferPipelinesCache = framebufferPipelinesCandidate;
5978 return framebufferPipelinesCandidate;
5979 }
5980 }
5981 return nullptr;
5982}
5983
5985 auto framebufferPipelines = new framebuffer_pipelines_type();
5986 framebufferPipelines->id = framebufferPipelinesId;
5987 framebufferPipelines->width = viewPortWidth;
5988 framebufferPipelines->height = viewPortHeight;
5989 framebufferPipelines->frameBufferId = boundFrameBufferId;
5990 framebufferPipelines->pipelines.fill(VK_NULL_HANDLE);
5991 framebuffersPipelines.push_back(framebufferPipelines);
5992 return framebufferPipelines;
5993}
5994
5995inline VkPipeline VKRenderer::getPipelineInternal(int contextIdx, program_type* program, uint64_t framebufferPipelineId, uint32_t pipelineIdx) {
5996 auto& currentContext = contexts[contextIdx];
5997
5998 //
5999 auto framebufferPipelines = getFramebufferPipelines(framebufferPipelineId);
6000 if (framebufferPipelines == nullptr) return VK_NULL_HANDLE;
6001 return framebufferPipelines->pipelines[pipelineIdx];
6002}
6003
6004void VKRenderer::bindIndicesBufferObject(int contextIdx, int32_t bufferObjectId)
6005{
6006 auto& currentContext = contexts[contextIdx];
6007 uint32_t bufferSize = 0;
6008 currentContext.boundIndicesBuffer = getBindBufferObjectInternal(bufferObjectId, bufferSize);
6009}
6010
6011void VKRenderer::bindTextureCoordinatesBufferObject(int contextIdx, int32_t bufferObjectId)
6012{
6013 auto& currentContext = contexts[contextIdx];
6014 currentContext.boundBuffers[2] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[2]);
6015}
6016
6017void VKRenderer::bindVerticesBufferObject(int contextIdx, int32_t bufferObjectId)
6018{
6019 auto& currentContext = contexts[contextIdx];
6020 currentContext.boundBuffers[0] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[0]);
6021}
6022
6023void VKRenderer::bindNormalsBufferObject(int contextIdx, int32_t bufferObjectId)
6024{
6025 auto& currentContext = contexts[contextIdx];
6026 currentContext.boundBuffers[1] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[1]);
6027}
6028
6029void VKRenderer::bindColorsBufferObject(int contextIdx, int32_t bufferObjectId)
6030{
6031 auto& currentContext = contexts[contextIdx];
6032 currentContext.boundBuffers[3] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[3]);
6033}
6034
6035void VKRenderer::bindTangentsBufferObject(int contextIdx, int32_t bufferObjectId)
6036{
6037 auto& currentContext = contexts[contextIdx];
6038 currentContext.boundBuffers[4] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[4]);
6039}
6040
6041void VKRenderer::bindBitangentsBufferObject(int contextIdx, int32_t bufferObjectId)
6042{
6043 auto& currentContext = contexts[contextIdx];
6044 currentContext.boundBuffers[5] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[5]);
6045}
6046
6047void VKRenderer::bindModelMatricesBufferObject(int contextIdx, int32_t bufferObjectId)
6048{
6049 auto& currentContext = contexts[contextIdx];
6050 currentContext.boundBuffers[6] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[6]);
6051}
6052
6053void VKRenderer::bindEffectColorMulsBufferObject(int contextIdx, int32_t bufferObjectId, int32_t divisor)
6054{
6055 auto& currentContext = contexts[contextIdx];
6056 currentContext.boundBuffers[7] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[7]);
6057}
6058
6059void VKRenderer::bindEffectColorAddsBufferObject(int contextIdx, int32_t bufferObjectId, int32_t divisor)
6060{
6061 auto& currentContext = contexts[contextIdx];
6062 currentContext.boundBuffers[8] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[8]);
6063}
6064
6065void VKRenderer::bindOriginsBufferObject(int contextIdx, int32_t bufferObjectId) {
6066 auto& currentContext = contexts[contextIdx];
6067 currentContext.boundBuffers[9] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[9]);
6068}
6069
6070void VKRenderer::bindTextureSpriteIndicesBufferObject(int contextIdx, int32_t bufferObjectId) {
6071 auto& currentContext = contexts[contextIdx];
6072 currentContext.boundBuffers[1] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[1]);
6073}
6074
6075void VKRenderer::bindPointSizesBufferObject(int contextIdx, int32_t bufferObjectId) {
6076 auto& currentContext = contexts[contextIdx];
6077 currentContext.boundBuffers[5] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[5]);
6078}
6079
6080void VKRenderer::bindSpriteSheetDimensionBufferObject(int contextIdx, int32_t bufferObjectId) {
6081 auto& currentContext = contexts[contextIdx];
6082 currentContext.boundBuffers[6] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[6]);
6083}
6084
6085void VKRenderer::drawInstancedIndexedTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset, int32_t instances) {
6086 drawInstancedTrianglesFromBufferObjects(contextIdx, triangles, trianglesOffset, contexts[contextIdx].boundIndicesBuffer, instances);
6087}
6088
6089inline void VKRenderer::drawInstancedTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset, VkBuffer indicesBuffer, int32_t instances)
6090{
6091 auto& currentContext = contexts[contextIdx];
6092 auto& programContext = currentContext.program->contexts[currentContext.idx];
6093 auto& programCommandBuffer = programContext.commandBuffers[currentContext.currentCommandBuffer];
6094
6095 //
6096 auto uboDescriptorSet = programCommandBuffer.uboDescriptorSets[programCommandBuffer.uboDescriptorSetsIdx];
6097 auto texturesDescriptorSetUncached = programCommandBuffer.texturesDescriptorSetsUncached[programCommandBuffer.texturesDescriptorSetsIdxUncached];
6098
6099 // start draw command buffer, it not yet done
6100 beginDrawCommandBuffer(currentContext.idx);
6101
6102 // start render pass
6103 startRenderPass(currentContext.idx);
6104
6105 // pipeline
6106 setupObjectsRenderingPipeline(currentContext.idx, currentContext.program);
6107
6108 //
6109 auto uboIdx = 0;
6110 SAMPLER_HASH_TYPE textureDescriptorSetCacheId = 0LL;
6111 #if defined(CPU_64BIT)
6112 array<int, 8> textureIds { ID_NONE, ID_NONE, ID_NONE, ID_NONE, ID_NONE , ID_NONE , ID_NONE , ID_NONE };
6113 #else
6114 array<int, 4> textureIds { ID_NONE, ID_NONE, ID_NONE, ID_NONE };
6115 #endif
6116 // get texture set cache id
6117 auto samplers = -1;
6118 {
6119 auto shaderIdx = 0;
6120 auto samplerIdx = 0;
6121 for (auto shader: currentContext.program->shaders) {
6122 // sampler2D + samplerCube
6123 for (auto uniform: shader->samplerUniformList) {
6124 if (samplerIdx < SAMPLER_HASH_MAX) {
6125 if (uniform->textureUnit == -1) {
6126 textureIds[samplerIdx] = ID_NONE;
6127 } else {
6128 auto& boundTexture = currentContext.boundTextures[uniform->textureUnit];
6129 if (boundTexture.view == VK_NULL_HANDLE) {
6130 textureIds[samplerIdx] = ID_NONE;
6131 } else {
6132 textureIds[samplerIdx] = boundTexture.id;
6133 textureDescriptorSetCacheId+= (SAMPLER_HASH_TYPE)boundTexture.id << (SAMPLER_HASH_TYPE)(samplerIdx * 16);
6134 }
6135 }
6136 }
6137 samplerIdx++;
6138 }
6139
6140 // uniform buffer
6141 if (shader->uboBindingIdx == -1) {
6142 shaderIdx++;
6143 continue;
6144 }
6145
6146 //
6147 auto& uniformBuffer = shader->uniformBuffers[currentContext.idx];
6148 auto& src = uniformBuffer.buffers[uniformBuffer.bufferIdx];
6149 auto uboBuffer = src.buffer;
6150 uniformBuffer.bufferIdx = (uniformBuffer.bufferIdx + 1) % uniformBuffer.buffers.size();
6151 vmaMemCpy(src.allocation, uniformBuffer.uniformBufferData.data(), uniformBuffer.size);
6152
6153 //
6154 currentContext.descriptorBufferInfos[shader->uboBindingIdx] = {
6155 .buffer = uboBuffer,
6156 .offset = 0,
6157 .range = shader->uboSize
6158 };
6159
6160 //
6161 currentContext.descriptorWriteSets[shader->uboBindingIdx] = {
6162 .sType = VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET,
6163 .pNext = nullptr,
6164 .dstSet = uboDescriptorSet,
6165 .dstBinding = static_cast<uint32_t>(shader->uboBindingIdx),
6166 .dstArrayElement = 0,
6167 .descriptorCount = 1,
6168 .descriptorType = VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER,
6169 .pImageInfo = nullptr,
6170 .pBufferInfo = &currentContext.descriptorBufferInfos[shader->uboBindingIdx],
6171 .pTexelBufferView = nullptr
6172 };
6173
6174 //
6175 shaderIdx++;
6176 uboIdx++;
6177 }
6178 samplers = samplerIdx;
6179 }
6180
6181 //
6182 auto& textureDescriptorSetCache = programContext.texturesDescriptorSetsCache;
6183 auto textureDescriptorSetCacheIt = samplers > SAMPLER_HASH_MAX?textureDescriptorSetCache.end():textureDescriptorSetCache.find(textureDescriptorSetCacheId);
6184 auto textureDescriptorSetCacheHit = textureDescriptorSetCacheIt != textureDescriptorSetCache.end();
6185 if (textureDescriptorSetCacheHit == false) {
6186 if (samplers <= SAMPLER_HASH_MAX) {
6187 auto textureDescriptorSetsIdx = -1;
6188 if (programContext.freeTextureDescriptorSetsIds.empty() == false) {
6189 auto freeTextureDescriptorSetsIdsIdx = programContext.freeTextureDescriptorSetsIds.size() - 1;
6190 textureDescriptorSetsIdx = programContext.freeTextureDescriptorSetsIds[freeTextureDescriptorSetsIdsIdx];
6191 programContext.freeTextureDescriptorSetsIds.erase(programContext.freeTextureDescriptorSetsIds.begin() + freeTextureDescriptorSetsIdsIdx);
6192 } else {
6193 textureDescriptorSetsIdx = programContext.descriptorSets2Idx++;
6194 }
6195 texturesDescriptorSetUncached = programContext.descriptorSets2[textureDescriptorSetsIdx];
6196 textureDescriptorSetCache[textureDescriptorSetCacheId] = textureDescriptorSetsIdx;
6197 for (auto textureId: textureIds) programContext.texturesDescriptorSetsCacheTextureIds[textureId].insert(textureDescriptorSetCacheId);
6198 } else {
6199 programCommandBuffer.texturesDescriptorSetsIdxUncached = (programCommandBuffer.texturesDescriptorSetsIdxUncached + 1) % programCommandBuffer.texturesDescriptorSetsUncached.size();
6200 }
6201 auto samplerIdx = 0;
6202 for (auto shader: currentContext.program->shaders) {
6203 // sampler2D + samplerCube
6204 for (auto uniform: shader->samplerUniformList) {
6205 if (uniform->textureUnit == -1) {
6206 switch(uniform->type) {
6208 currentContext.descriptorImageInfos[samplerIdx] = {
6210 .imageView = whiteTextureSampler2dDefault->view,
6212 };
6213 break;
6215 currentContext.descriptorImageInfos[samplerIdx] = {
6219 };
6220 break;
6221 default:
6222 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): object command: unknown sampler: " + to_string(uniform->type));
6223 break;
6224 }
6225 } else {
6226 auto& boundTexture = currentContext.boundTextures[uniform->textureUnit];
6227 if (boundTexture.view == VK_NULL_HANDLE) {
6228 switch(uniform->type) {
6230 currentContext.descriptorImageInfos[samplerIdx] = {
6232 .imageView = whiteTextureSampler2dDefault->view,
6234 };
6235 break;
6237 currentContext.descriptorImageInfos[samplerIdx] = {
6241 };
6242 break;
6243 default:
6244 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): object command: unknown sampler: " + to_string(uniform->type));
6245 break;
6246 }
6247 } else {
6248 currentContext.descriptorImageInfos[samplerIdx] = {
6249 .sampler = boundTexture.sampler,
6250 .imageView = boundTexture.view,
6251 .imageLayout = boundTexture.layout
6252 };
6253 }
6254 }
6255 currentContext.descriptorWriteSets[uniform->position] = {
6256 .sType = VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET,
6257 .pNext = nullptr,
6258 .dstSet = texturesDescriptorSetUncached,
6259 .dstBinding = static_cast<uint32_t>(uniform->position),
6260 .dstArrayElement = 0,
6261 .descriptorCount = 1,
6262 .descriptorType = VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER,
6263 .pImageInfo = &currentContext.descriptorImageInfos[samplerIdx],
6264 .pBufferInfo = VK_NULL_HANDLE,
6265 .pTexelBufferView = VK_NULL_HANDLE
6266 };
6267 samplerIdx++;
6268 }
6269 }
6270 } else {
6271 texturesDescriptorSetUncached = programContext.descriptorSets2[textureDescriptorSetCacheIt->second];
6272 }
6273
6274 //
6275 vkUpdateDescriptorSets(device, textureDescriptorSetCacheHit == true?uboIdx:currentContext.program->layoutBindings, currentContext.descriptorWriteSets.data(), 0, nullptr);
6276
6277 // descriptor sets
6278 array<VkDescriptorSet, 2> descSets { uboDescriptorSet, texturesDescriptorSetUncached };
6279
6280 // draw cmd
6281 auto& drawCommand = currentContext.commandBuffers[currentContext.currentCommandBuffer].drawCommand;
6282 vkCmdBindDescriptorSets(drawCommand, VK_PIPELINE_BIND_POINT_GRAPHICS, currentContext.program->pipelineLayout, 0, descSets.size(), descSets.data(), 0, nullptr);
6283
6284 // index buffer
6285 if (indicesBuffer != VK_NULL_HANDLE) {
6286 vkCmdBindIndexBuffer(drawCommand, indicesBuffer, 0, VK_INDEX_TYPE_UINT32);
6287 }
6288
6289 // buffers
6290 vkCmdBindVertexBuffers(drawCommand, 0, OBJECTS_VERTEX_BUFFER_COUNT, currentContext.boundBuffers.data(), currentContext.boundBufferOffsets.data());
6291
6292 // draw
6293 if (indicesBuffer != VK_NULL_HANDLE) {
6294 vkCmdDrawIndexed(drawCommand, triangles * 3, instances, trianglesOffset * 3, 0, 0);
6295 } else {
6296 vkCmdDraw(drawCommand, triangles * 3, instances, trianglesOffset * 3, 0);
6297 }
6298
6299 //
6300 programCommandBuffer.uboDescriptorSetsIdx = (programCommandBuffer.uboDescriptorSetsIdx + 1) % programCommandBuffer.uboDescriptorSets.size();
6301 currentContext.commandCount++;
6302
6303 //
6304 requestSubmitDrawBuffers(currentContext.idx);
6305
6306 //
6307 AtomicOperations::increment(statistics.renderCalls);
6308 AtomicOperations::increment(statistics.instances, instances);
6309 AtomicOperations::increment(statistics.triangles, triangles * instances);
6310}
6311
6312void VKRenderer::drawIndexedTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset)
6313{
6314 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
6315
6316 //
6317 drawInstancedIndexedTrianglesFromBufferObjects(contextIdx, triangles, trianglesOffset, 1);
6318}
6319
6321 VkResult err;
6322
6323 // end render passes
6324 for (auto i = 0; i < Engine::getThreadCount(); i++) {
6325 auto& context = contexts[i];
6326 endRenderPass(context.idx);
6327 auto currentBufferIdx = context.currentCommandBuffer;
6328 auto commandBuffer = endDrawCommandBuffer(context.idx, -1, true);
6329 if (commandBuffer != VK_NULL_HANDLE) {
6330 submitDrawCommandBuffers(1, &commandBuffer, context.commandBuffers[currentBufferIdx].drawFence);
6331 }
6332 unsetPipeline(context.idx);
6333 }
6334}
6335
6336inline void VKRenderer::requestSubmitDrawBuffers(int contextIdx) {
6337 // have our context typed
6338 auto& currentContext = contexts[contextIdx];
6339
6340 //
6341 auto commandsMax = COMMANDS_MAX_GRAPHICS; // TODO: could also be compute, ...
6342 if (currentContext.commandCount >= commandsMax) {
6343 endRenderPass(currentContext.idx);
6344 auto currentBufferIdx = currentContext.currentCommandBuffer;
6345 auto commandBuffer = endDrawCommandBuffer(currentContext.idx, -1, true);
6346 if (commandBuffer != VK_NULL_HANDLE) submitDrawCommandBuffers(1, &commandBuffer, currentContext.commandBuffers[currentBufferIdx].drawFence);
6347 currentContext.commandCount = 0;
6348 }
6349}
6350
6351void VKRenderer::drawInstancedTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset, int32_t instances)
6352{
6353 drawInstancedTrianglesFromBufferObjects(contextIdx, triangles, trianglesOffset, VK_NULL_HANDLE, instances);
6354}
6355
6356void VKRenderer::drawTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset)
6357{
6358 drawInstancedTrianglesFromBufferObjects(contextIdx, triangles, trianglesOffset, VK_NULL_HANDLE, 1);
6359}
6360
6361void VKRenderer::drawPointsFromBufferObjects(int contextIdx, int32_t points, int32_t pointsOffset)
6362{
6363 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
6364
6365 // have our context typed
6366 auto& currentContext = contexts[contextIdx];
6367 auto& programContext = currentContext.program->contexts[currentContext.idx];
6368 auto& programCommandBuffer = programContext.commandBuffers[currentContext.currentCommandBuffer];
6369
6370 //
6371 auto uboDescriptorSet = programCommandBuffer.uboDescriptorSets[programCommandBuffer.uboDescriptorSetsIdx];
6372 auto texturesDescriptorSet = programCommandBuffer.texturesDescriptorSetsUncached[programCommandBuffer.texturesDescriptorSetsIdxUncached];
6373
6374 // start draw command buffer, it not yet done
6375 beginDrawCommandBuffer(currentContext.idx);
6376
6377 // render pass
6378 startRenderPass(currentContext.idx);
6379
6380 // pipeline
6381 setupPointsRenderingPipeline(currentContext.idx, currentContext.program);
6382
6383 // do points render command
6384 auto shaderIdx = 0;
6385 auto uboIdx = 0;
6386 auto samplerIdx = 0;
6387 for (auto shader: currentContext.program->shaders) {
6388 // sampler2D + samplerCube
6389 for (auto uniform: shader->samplerUniformList) {
6390 if (uniform->textureUnit == -1) {
6391 switch(uniform->type) {
6393 currentContext.descriptorImageInfos[samplerIdx] = {
6395 .imageView = whiteTextureSampler2dDefault->view,
6397 };
6398 break;
6400 currentContext.descriptorImageInfos[samplerIdx] = {
6404 };
6405 break;
6406 default:
6407 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): object command: unknown sampler: " + to_string(uniform->type));
6408 break;
6409 }
6410 } else {
6411 auto& texture = currentContext.boundTextures[uniform->textureUnit];
6412 if (texture.view == VK_NULL_HANDLE) {
6413 switch(uniform->type) {
6415 currentContext.descriptorImageInfos[samplerIdx] = {
6417 .imageView = whiteTextureSampler2dDefault->view,
6419 };
6420 break;
6422 currentContext.descriptorImageInfos[samplerIdx] = {
6426 };
6427 break;
6428 default:
6429 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): object command: unknown sampler: " + to_string(uniform->type));
6430 break;
6431 }
6432 } else {
6433 currentContext.descriptorImageInfos[samplerIdx] = {
6434 .sampler = texture.sampler,
6435 .imageView = texture.view,
6436 .imageLayout = texture.layout
6437 };
6438 }
6439 }
6440 currentContext.descriptorWriteSets[uniform->position] = {
6441 .sType = VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET,
6442 .pNext = nullptr,
6443 .dstSet = texturesDescriptorSet,
6444 .dstBinding = static_cast<uint32_t>(uniform->position),
6445 .dstArrayElement = 0,
6446 .descriptorCount = 1,
6447 .descriptorType = VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER,
6448 .pImageInfo = &currentContext.descriptorImageInfos[samplerIdx],
6449 .pBufferInfo = VK_NULL_HANDLE,
6450 .pTexelBufferView = VK_NULL_HANDLE
6451 };
6452 samplerIdx++;
6453 }
6454
6455 // uniform buffer
6456 if (shader->uboBindingIdx == -1) {
6457 shaderIdx++;
6458 continue;
6459 }
6460
6461 //
6462 auto& uniformBuffer = shader->uniformBuffers[currentContext.idx];
6463 auto& src = uniformBuffer.buffers[uniformBuffer.bufferIdx];
6464 auto uboBuffer = src.buffer;
6465 uniformBuffer.bufferIdx = (uniformBuffer.bufferIdx + 1) % uniformBuffer.buffers.size();
6466 vmaMemCpy(src.allocation, uniformBuffer.uniformBufferData.data(), uniformBuffer.size);
6467
6468 //
6469 currentContext.descriptorBufferInfos[shader->uboBindingIdx] = {
6470 .buffer = uboBuffer,
6471 .offset = 0,
6472 .range = shader->uboSize
6473 };
6474
6475 //
6476 currentContext.descriptorWriteSets[shader->uboBindingIdx] = {
6477 .sType = VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET,
6478 .pNext = nullptr,
6479 .dstSet = uboDescriptorSet,
6480 .dstBinding = static_cast<uint32_t>(shader->uboBindingIdx),
6481 .dstArrayElement = 0,
6482 .descriptorCount = 1,
6483 .descriptorType = VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER,
6484 .pImageInfo = nullptr,
6485 .pBufferInfo = &currentContext.descriptorBufferInfos[shader->uboBindingIdx],
6486 .pTexelBufferView = nullptr
6487 };
6488
6489 //
6490 shaderIdx++;
6491 uboIdx++;
6492 }
6493
6494 //
6495 vkUpdateDescriptorSets(device, currentContext.program->layoutBindings, currentContext.descriptorWriteSets.data(), 0, nullptr);
6496
6497 //
6498 auto& drawCommand = currentContext.commandBuffers[currentContext.currentCommandBuffer].drawCommand;
6499 array<VkDescriptorSet, 2> descriptorSets { uboDescriptorSet, texturesDescriptorSet };
6500 vkCmdBindDescriptorSets(drawCommand, VK_PIPELINE_BIND_POINT_GRAPHICS, currentContext.program->pipelineLayout, 0, descriptorSets.size(), descriptorSets.data(), 0, nullptr);
6501 vkCmdBindVertexBuffers(drawCommand, 0, POINTS_VERTEX_BUFFER_COUNT, currentContext.boundBuffers.data(), currentContext.boundBufferOffsets.data());
6502 vkCmdDraw(drawCommand, points, 1, pointsOffset, 0);
6503
6504 //
6505 programCommandBuffer.uboDescriptorSetsIdx = (programCommandBuffer.uboDescriptorSetsIdx + 1) % programCommandBuffer.uboDescriptorSets.size();
6506 programCommandBuffer.texturesDescriptorSetsIdxUncached = (programCommandBuffer.texturesDescriptorSetsIdxUncached + 1) % programCommandBuffer.texturesDescriptorSetsUncached.size();
6507 currentContext.commandCount++;
6508
6509 //
6510 requestSubmitDrawBuffers(currentContext.idx);
6511
6512 //
6513 AtomicOperations::increment(statistics.renderCalls);
6514 AtomicOperations::increment(statistics.points, points);
6515}
6516
6517void VKRenderer::setLineWidth(float lineWidth)
6518{
6519 this->lineWidth = lineWidth;
6520}
6521
6522void VKRenderer::drawLinesFromBufferObjects(int contextIdx, int32_t points, int32_t pointsOffset)
6523{
6524 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
6525
6526 // have our context typed
6527 auto& currentContext = contexts[contextIdx];
6528 auto& programCommandBuffer = currentContext.program->contexts[currentContext.idx].commandBuffers[currentContext.currentCommandBuffer];
6529
6530 //
6531 auto uboDescriptorSet = programCommandBuffer.uboDescriptorSets[programCommandBuffer.uboDescriptorSetsIdx];
6532 auto textureDescriptorSet = programCommandBuffer.texturesDescriptorSetsUncached[programCommandBuffer.texturesDescriptorSetsIdxUncached];
6533
6534 // start draw command buffer, it not yet done
6535 beginDrawCommandBuffer(currentContext.idx);
6536
6537 // render pass
6538 startRenderPass(currentContext.idx);
6539
6540 // lines
6541 setupLinesRenderingPipeline(currentContext.idx, currentContext.program);
6542
6543 // do lines render command
6544 auto shaderIdx = 0;
6545 auto uboIdx = 0;
6546 auto samplerIdx = 0;
6547 for (auto shader: currentContext.program->shaders) {
6548 // sampler2D + samplerCube
6549 for (auto uniform: shader->samplerUniformList) {
6550 if (uniform->textureUnit == -1) {
6551 switch(uniform->type) {
6553 currentContext.descriptorImageInfos[samplerIdx] = {
6555 .imageView = whiteTextureSampler2dDefault->view,
6557 };
6558 break;
6560 currentContext.descriptorImageInfos[samplerIdx] = {
6564 };
6565 break;
6566 default:
6567 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): object command: unknown sampler: " + to_string(uniform->type));
6568 break;
6569 }
6570 } else {
6571 auto& texture = currentContext.boundTextures[uniform->textureUnit];
6572 if (texture.view == VK_NULL_HANDLE) {
6573 switch(uniform->type) {
6575 currentContext.descriptorImageInfos[samplerIdx] = {
6577 .imageView = whiteTextureSampler2dDefault->view,
6579 };
6580 break;
6582 currentContext.descriptorImageInfos[samplerIdx] = {
6586 };
6587 break;
6588 default:
6589 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): object command: unknown sampler: " + to_string(uniform->type));
6590 break;
6591 }
6592 } else {
6593 currentContext.descriptorImageInfos[samplerIdx] = {
6594 .sampler = texture.sampler,
6595 .imageView = texture.view,
6596 .imageLayout = texture.layout
6597 };
6598 }
6599 }
6600 currentContext.descriptorWriteSets[uniform->position] = {
6601 .sType = VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET,
6602 .pNext = nullptr,
6603 .dstSet = textureDescriptorSet,
6604 .dstBinding = static_cast<uint32_t>(uniform->position),
6605 .dstArrayElement = 0,
6606 .descriptorCount = 1,
6607 .descriptorType = VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER,
6608 .pImageInfo = &currentContext.descriptorImageInfos[samplerIdx],
6609 .pBufferInfo = VK_NULL_HANDLE,
6610 .pTexelBufferView = VK_NULL_HANDLE
6611 };
6612 samplerIdx++;
6613 }
6614
6615 // uniform buffer
6616 if (shader->uboBindingIdx == -1) {
6617 shaderIdx++;
6618 continue;
6619 }
6620
6621 //
6622 auto& uniformBuffer = shader->uniformBuffers[currentContext.idx];
6623 auto& src = uniformBuffer.buffers[uniformBuffer.bufferIdx];
6624 auto uboBuffer = src.buffer;
6625 uniformBuffer.bufferIdx = (uniformBuffer.bufferIdx + 1) % uniformBuffer.buffers.size();
6626 vmaMemCpy(src.allocation, uniformBuffer.uniformBufferData.data(), uniformBuffer.size);
6627
6628 //
6629 currentContext.descriptorBufferInfos[shader->uboBindingIdx] = {
6630 .buffer = uboBuffer,
6631 .offset = 0,
6632 .range = shader->uboSize
6633 };
6634
6635 //
6636 currentContext.descriptorWriteSets[shader->uboBindingIdx] = {
6637 .sType = VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET,
6638 .pNext = nullptr,
6639 .dstSet = uboDescriptorSet,
6640 .dstBinding = static_cast<uint32_t>(shader->uboBindingIdx),
6641 .dstArrayElement = 0,
6642 .descriptorCount = 1,
6643 .descriptorType = VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER,
6644 .pImageInfo = nullptr,
6645 .pBufferInfo = &currentContext.descriptorBufferInfos[shader->uboBindingIdx],
6646 .pTexelBufferView = nullptr
6647 };
6648
6649 //
6650 shaderIdx++;
6651 uboIdx++;
6652 }
6653
6654 //
6655 vkUpdateDescriptorSets(device, currentContext.program->layoutBindings, currentContext.descriptorWriteSets.data(), 0, nullptr);
6656
6657 //
6658 auto& drawCommand = currentContext.commandBuffers[currentContext.currentCommandBuffer].drawCommand;
6659 array<VkDescriptorSet, 2> descriptorSets { uboDescriptorSet, textureDescriptorSet };
6660 vkCmdBindDescriptorSets(drawCommand, VK_PIPELINE_BIND_POINT_GRAPHICS, currentContext.program->pipelineLayout, 0, descriptorSets.size(), descriptorSets.data(), 0, nullptr);
6661 vkCmdBindVertexBuffers(drawCommand, 0, LINES_VERTEX_BUFFER_COUNT, currentContext.boundBuffers.data(), currentContext.boundBufferOffsets.data());
6662 vkCmdSetLineWidth(drawCommand, lineWidth);
6663 vkCmdDraw(drawCommand, points, 1, pointsOffset, 0);
6664
6665 //
6666 programCommandBuffer.uboDescriptorSetsIdx = (programCommandBuffer.uboDescriptorSetsIdx + 1) % programCommandBuffer.uboDescriptorSets.size();
6667 programCommandBuffer.texturesDescriptorSetsIdxUncached = (programCommandBuffer.texturesDescriptorSetsIdxUncached + 1) % programCommandBuffer.texturesDescriptorSetsUncached.size();
6668 currentContext.commandCount++;
6669
6670 //
6671 requestSubmitDrawBuffers(currentContext.idx);
6672
6673 //
6674 AtomicOperations::increment(statistics.renderCalls);
6675 AtomicOperations::increment(statistics.linePoints, points);
6676}
6677
6679{
6680 auto& currentContext = contexts[contextIdx];
6681 uint32_t bufferSize = 0;
6682 auto defaultBuffer = getBindBufferObjectInternal(emptyVertexBufferId, bufferSize);
6683 currentContext.boundIndicesBuffer = VK_NULL_HANDLE;
6684 currentContext.boundBuffers.fill(defaultBuffer);
6685 currentContext.boundBufferSizes.fill(bufferSize);
6686}
6687
6688void VKRenderer::disposeBufferObjects(vector<int32_t>& bufferObjectIds)
6689{
6691 for (auto bufferObjectId: bufferObjectIds) {
6692 disposeBuffers.push_back(bufferObjectId);
6693 }
6695}
6696
6697int32_t VKRenderer::getTextureUnit(int contextIdx)
6698{
6699 return contexts[contextIdx].activeTextureUnit;
6700}
6701
6702void VKRenderer::setTextureUnit(int contextIdx, int32_t textureUnit)
6703{
6704 contexts[contextIdx].activeTextureUnit = textureUnit;
6705}
6706
6707float VKRenderer::readPixelDepth(int32_t x, int32_t y)
6708{
6709 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
6710
6711 //
6712 auto pixelDepth = -1.0f;
6713
6714 // determine image to read
6715 VkFormat usedFormat = VK_FORMAT_UNDEFINED;
6716 VkImage usedImage = VK_NULL_HANDLE;
6717 uint32_t usedWidth = 0;
6718 uint32_t usedHeight = -1;
6719 array<ThsvsAccessType, 2> usedAccessTypes;
6720 ThsvsImageLayout usedImageLayout = THSVS_IMAGE_LAYOUT_OPTIMAL;
6721 auto frameBuffer = boundFrameBufferId < 0 || boundFrameBufferId >= framebuffers.size()?nullptr:framebuffers[boundFrameBufferId];
6722 if (frameBuffer == nullptr) {
6723 auto depthBufferTexture = getTextureInternal(depthBufferDefault);
6724 if (depthBufferTexture == nullptr) {
6725 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): depth buffer: depth buffer texture not found: " + to_string(depthBufferDefault));
6726 return pixelDepth;
6727 }
6728 usedFormat = depthBufferTexture->format;
6729 usedImage = depthBufferTexture->image;
6730 usedWidth = depthBufferTexture->width;
6731 usedHeight = depthBufferTexture->height;
6732 usedAccessTypes = depthBufferTexture->accessTypes[0];
6733 usedImageLayout = depthBufferTexture->svsLayout;
6734 } else {
6735 auto depthBufferTexture = getTextureInternal(frameBuffer->depthBufferTextureId);
6736 if (depthBufferTexture == nullptr) {
6737 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): depth buffer: depth buffer texture not found: " + to_string(frameBuffer->depthBufferTextureId));
6738 return pixelDepth;
6739 } else {
6740 usedFormat = depthBufferTexture->format;
6741 usedImage = depthBufferTexture->image;
6742 usedWidth = depthBufferTexture->width;
6743 usedHeight = depthBufferTexture->height;
6744 usedAccessTypes = depthBufferTexture->accessTypes[0];
6745 usedImageLayout = depthBufferTexture->svsLayout;
6746 }
6747 }
6748
6749 //
6750 vmaSpinlock.lock();
6751
6752 //
6753 VmaAllocationInfo allocationInfo = {};
6754 VkBuffer buffer = VK_NULL_HANDLE;
6755 VmaAllocation allocation = VK_NULL_HANDLE;
6757 4,
6758 VK_BUFFER_USAGE_TRANSFER_DST_BIT,
6759 VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT,
6760 buffer,
6761 allocation,
6762 allocationInfo
6763 );
6764 VkMemoryPropertyFlags memoryFlags;
6765 vmaGetMemoryTypeProperties(vmaAllocator, allocationInfo.memoryType, &memoryFlags);
6766 auto memoryMapped = (memoryFlags & VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) == VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT;
6767 if (memoryMapped == false) {
6769 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): Could not create memory mappable buffer");
6770 return pixelDepth;
6771 }
6772
6773 // set source image layout
6774 auto& currentContext = contexts[CONTEXTINDEX_DEFAULT];
6775 {
6776 // set SRC
6777 array<ThsvsAccessType, 2> nextAccessTypes = { THSVS_ACCESS_TRANSFER_READ, THSVS_ACCESS_NONE };
6778 setImageLayout3(currentContext.idx, usedImage, VK_IMAGE_ASPECT_DEPTH_BIT, usedAccessTypes, nextAccessTypes, usedImageLayout, THSVS_IMAGE_LAYOUT_OPTIMAL);
6779 }
6780
6781 VkBufferImageCopy bufferImageCopy = {
6782 .bufferOffset = 0,
6783 .bufferRowLength = 0,
6784 .bufferImageHeight = 0,
6785 .imageSubresource = {
6786 .aspectMask = VK_IMAGE_ASPECT_DEPTH_BIT,
6787 .mipLevel = 0,
6788 .baseArrayLayer = 0,
6789 .layerCount = 1
6790 },
6791 .imageOffset = {
6792 .x = static_cast<int32_t>(x),
6793 .y = static_cast<int32_t>(usedHeight - 1 - y),
6794 .z = 0
6795 },
6796 .imageExtent = {
6797 .width = 1,
6798 .height = 1,
6799 .depth = 1
6800 },
6801 };
6802
6803 // copy image to buffer
6804 prepareSetupCommandBuffer(currentContext.idx);
6805 vkCmdCopyImageToBuffer(
6806 currentContext.setupCommandInUse,
6807 usedImage,
6808 VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL,
6809 buffer,
6810 1,
6811 &bufferImageCopy
6812 );
6813 finishSetupCommandBuffer(currentContext.idx);
6814
6815 //
6816 void* data;
6817 VkResult err;
6818 err = vmaMapMemory(vmaAllocator, allocation, &data);
6819 assert(!err);
6820 pixelDepth = static_cast<float*>(data)[0];
6821 vmaUnmapMemory(vmaAllocator, allocation);
6822
6823 //
6825
6826 {
6827 // unset SRC
6828 array<ThsvsAccessType, 2> lastAccessTypes = { THSVS_ACCESS_TRANSFER_READ, THSVS_ACCESS_NONE };
6829 setImageLayout3(currentContext.idx, usedImage, VK_IMAGE_ASPECT_DEPTH_BIT, lastAccessTypes, usedAccessTypes, THSVS_IMAGE_LAYOUT_OPTIMAL, usedImageLayout);
6830 }
6831
6832 // mark buffer for deletion
6833 deleteMutex.lock();
6834 deleteBuffers.push_back(
6835 {
6836 .buffer = buffer,
6837 .allocation = allocation
6838 }
6839 );
6841
6842 //
6843 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(pixelDepth));
6844
6845 //
6846 return pixelDepth;
6847}
6848
6849ByteBuffer* VKRenderer::readPixels(int32_t x, int32_t y, int32_t width, int32_t height)
6850{
6851 if (VERBOSE == true) Console::println("VKRenderer::" + string(__FUNCTION__) + "()");
6852
6853 // determine image to read
6854 VkFormat usedFormat = VK_FORMAT_UNDEFINED;
6855 VkImage usedImage = VK_NULL_HANDLE;
6856 uint32_t usedWidth = 0;
6857 uint32_t usedHeight = -1;
6858 array<ThsvsAccessType, 2> usedAccessTypes;
6859 ThsvsImageLayout usedImageLayout = THSVS_IMAGE_LAYOUT_OPTIMAL;
6860 auto frameBuffer = boundFrameBufferId < 0 || boundFrameBufferId >= framebuffers.size()?nullptr:framebuffers[boundFrameBufferId];
6861 if (frameBuffer == nullptr) {
6862 auto& swapchainBuffer = windowFramebufferBuffers[lastWindowFramebufferIdx];
6863 usedFormat = windowFormat;
6864 usedImage = swapchainBuffer.image;
6865 usedWidth = swapchainBuffer.width;
6866 usedHeight = swapchainBuffer.height;
6867 usedAccessTypes = swapchainBuffer.accessTypes;
6868 usedImageLayout = swapchainBuffer.svsLayout;
6869 } else {
6870 auto colorBufferTexture = getTextureInternal(frameBuffer->colorTextureId);
6871 if (colorBufferTexture == nullptr) {
6872 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): color buffer: color buffer texture not found: " + to_string(frameBuffer->colorTextureId));
6873 return nullptr;
6874 } else {
6875 usedFormat = colorBufferTexture->format;
6876 usedImage = colorBufferTexture->image;
6877 usedWidth = colorBufferTexture->width;
6878 usedHeight = colorBufferTexture->height;
6879 usedAccessTypes = colorBufferTexture->accessTypes[0];
6880 usedImageLayout = colorBufferTexture->svsLayout;
6881 }
6882 }
6883
6884 //
6885 VkImage image = VK_NULL_HANDLE;
6886 VmaAllocation allocation = VK_NULL_HANDLE;
6887 auto requiredFlags = VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT;
6888
6889 //
6890 const VkImageCreateInfo imageCreateInfo = {
6891 .sType = VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO,
6892 .pNext = nullptr,
6893 .flags = 0,
6894 .imageType = VK_IMAGE_TYPE_2D,
6895 .format = usedFormat,
6896 .extent = {
6897 .width = static_cast<uint32_t>(width),
6898 .height = static_cast<uint32_t>(height),
6899 .depth = 1
6900 },
6901 .mipLevels = 1,
6902 .arrayLayers = 1,
6903 .samples = VK_SAMPLE_COUNT_1_BIT,
6904 .tiling = VK_IMAGE_TILING_LINEAR,
6905 .usage = VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT | VK_IMAGE_USAGE_TRANSFER_DST_BIT,
6906 .sharingMode = VK_SHARING_MODE_EXCLUSIVE,
6907 .queueFamilyIndexCount = 0,
6908 .pQueueFamilyIndices = 0,
6909 .initialLayout = VK_IMAGE_LAYOUT_PREINITIALIZED
6910 };
6911
6912 VmaAllocationCreateInfo imageAllocCreateInfo = {};
6913 imageAllocCreateInfo.usage = VMA_MEMORY_USAGE_UNKNOWN;
6914 imageAllocCreateInfo.requiredFlags = requiredFlags;
6915
6916 VmaAllocationInfo allocationInfo = {};
6917
6918 VkResult err;
6919 err = vmaCreateImage(vmaAllocator, &imageCreateInfo, &imageAllocCreateInfo, &image, &allocation, &allocationInfo);
6920 assert(!err);
6921
6922 if ((requiredFlags & VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) == VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT) {
6923 VkImageCopy imageCopy = {
6924 .srcSubresource = {
6925 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
6926 .mipLevel = 0,
6927 .baseArrayLayer = 0,
6928 .layerCount = 1
6929 },
6930 .srcOffset = {
6931 .x = x,
6932 .y = y,
6933 .z = 0
6934 },
6935 .dstSubresource = {
6936 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
6937 .mipLevel = 0,
6938 .baseArrayLayer = 0,
6939 .layerCount = 1
6940 },
6941 .dstOffset = {
6942 .x = 0,
6943 .y = 0,
6944 .z = 0
6945 },
6946 .extent = {
6947 .width = static_cast<uint32_t>(width),
6948 .height = static_cast<uint32_t>(height),
6949 .depth = 1
6950 }
6951 };
6952 auto& currentContext = contexts[CONTEXTINDEX_DEFAULT];
6953 {
6954 // set SRC
6955 array<ThsvsAccessType, 2> nextAccessTypes = { THSVS_ACCESS_TRANSFER_READ, THSVS_ACCESS_NONE };
6956 setImageLayout3(currentContext.idx, usedImage, VK_IMAGE_ASPECT_COLOR_BIT, usedAccessTypes, nextAccessTypes, usedImageLayout, THSVS_IMAGE_LAYOUT_OPTIMAL);
6957 }
6958 {
6959 // set DST
6960 array<ThsvsAccessType, 2> accessTypes = { THSVS_ACCESS_HOST_PREINITIALIZED, THSVS_ACCESS_NONE };
6961 array<ThsvsAccessType, 2> nextAccessTypes = { THSVS_ACCESS_TRANSFER_WRITE, THSVS_ACCESS_NONE };
6962 setImageLayout3(currentContext.idx, image, VK_IMAGE_ASPECT_COLOR_BIT, accessTypes, nextAccessTypes, THSVS_IMAGE_LAYOUT_OPTIMAL, THSVS_IMAGE_LAYOUT_OPTIMAL);
6963 }
6964
6965 prepareSetupCommandBuffer(currentContext.idx);
6966 vkCmdCopyImage(
6967 currentContext.setupCommandInUse,
6968 usedImage,
6969 VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL,
6970 image,
6971 VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL,
6972 1,
6973 &imageCopy
6974 );
6975 finishSetupCommandBuffer(currentContext.idx);
6976
6977 const VkImageSubresource imageSubResource = {
6978 .aspectMask = VK_IMAGE_ASPECT_COLOR_BIT,
6979 .mipLevel = 0,
6980 .arrayLayer = 0,
6981 };
6982 VkSubresourceLayout subResourceLayout;
6983 vkGetImageSubresourceLayout(device, image, &imageSubResource, &subResourceLayout);
6984
6985 //
6986 vmaSpinlock.lock();
6987
6988 //
6989 void* data;
6990 err = vmaMapMemory(vmaAllocator, allocation, &data);
6991 assert(!err);
6992 auto pixelBuffer = ByteBuffer::allocate(width * height * 4);
6993 for (int y = height - 1; y >= 0; y--) {
6994 auto row = static_cast<uint8_t*>(static_cast<uint8_t*>(data) + subResourceLayout.offset + subResourceLayout.rowPitch * y);
6995 for (auto x = 0; x < width; x++) {
6996 pixelBuffer->put(static_cast<uint8_t>(row[x * 4 + 2])); // b
6997 pixelBuffer->put(static_cast<uint8_t>(row[x * 4 + 1])); // g
6998 pixelBuffer->put(static_cast<uint8_t>(row[x * 4 + 0])); // r
6999 pixelBuffer->put(static_cast<uint8_t>(row[x * 4 + 3])); // a
7000 }
7001 }
7002 vmaUnmapMemory(vmaAllocator, allocation);
7003
7004 //
7006
7007 {
7008 // unset SRC
7009 array<ThsvsAccessType, 2> lastAccessTypes = { THSVS_ACCESS_TRANSFER_READ, THSVS_ACCESS_NONE };
7010 setImageLayout3(currentContext.idx, usedImage, VK_IMAGE_ASPECT_COLOR_BIT, lastAccessTypes, usedAccessTypes, THSVS_IMAGE_LAYOUT_OPTIMAL, usedImageLayout);
7011 }
7012
7013 // mark for deletion
7014 deleteMutex.lock();
7015 deleteImages.push_back(
7016 {
7017 .image = image,
7018 .allocation = allocation,
7019 .imageView = VK_NULL_HANDLE,
7020 .sampler = VK_NULL_HANDLE,
7021 });
7023
7024 //
7025 return pixelBuffer;
7026 }
7027
7028 //
7029 return nullptr;
7030}
7031
7033{
7035 disableCulling(0);
7038}
7039
7041{
7044 enableCulling(0);
7046}
7047
7048void VKRenderer::dispatchCompute(int contextIdx, int32_t numGroupsX, int32_t numGroupsY, int32_t numGroupsZ) {
7049 // have our context typed
7050 auto& currentContext = contexts[contextIdx];
7051 auto& programCommandBuffer = currentContext.program->contexts[currentContext.idx].commandBuffers[currentContext.currentCommandBuffer];
7052
7053 //
7054 auto uboDescriptorSet = programCommandBuffer.uboDescriptorSets[programCommandBuffer.uboDescriptorSetsIdx];
7055
7056 // start draw command buffer, it not yet done
7057 beginDrawCommandBuffer(currentContext.idx);
7058 // render pass
7059 endRenderPass(currentContext.idx);
7060 // pipeline
7061 setupSkinningComputingPipeline(currentContext.idx, currentContext.program);
7062
7063 // do compute command
7064 auto shaderIdx = 0;
7065 for (auto shader: currentContext.program->shaders) {
7066 for (int i = 0; i <= shader->maxBindings; i++) {
7067 currentContext.descriptorBufferInfos[i] = {
7068 .buffer = currentContext.boundBuffers[i],
7069 .offset = 0,
7070 .range = currentContext.boundBufferSizes[i]
7071 };
7072 currentContext.descriptorWriteSets[i] = {
7073 .sType = VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET,
7074 .pNext = nullptr,
7075 .dstSet = uboDescriptorSet,
7076 .dstBinding = static_cast<uint32_t>(i),
7077 .dstArrayElement = 0,
7078 .descriptorCount = 1,
7079 .descriptorType = VK_DESCRIPTOR_TYPE_STORAGE_BUFFER,
7080 .pImageInfo = nullptr,
7081 .pBufferInfo = &currentContext.descriptorBufferInfos[i],
7082 .pTexelBufferView = nullptr
7083 };
7084 }
7085
7086 // uniform buffer
7087 if (shader->uboBindingIdx == -1) {
7088 shaderIdx++;
7089 continue;
7090 }
7091
7092 //
7093 //
7094 auto& uniformBuffer = shader->uniformBuffers[currentContext.idx];
7095 auto& src = uniformBuffer.buffers[uniformBuffer.bufferIdx];
7096 auto uboBuffer = src.buffer;
7097 uniformBuffer.bufferIdx = (uniformBuffer.bufferIdx + 1) % uniformBuffer.buffers.size();
7098 vmaMemCpy(src.allocation, uniformBuffer.uniformBufferData.data(), uniformBuffer.size);
7099
7100 //
7101 currentContext.descriptorBufferInfos[shader->uboBindingIdx] = {
7102 .buffer = uboBuffer,
7103 .offset = 0,
7104 .range = shader->uboSize
7105 };
7106
7107 //
7108 currentContext.descriptorWriteSets[shader->uboBindingIdx] = {
7109 .sType = VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET,
7110 .pNext = nullptr,
7111 .dstSet = uboDescriptorSet,
7112 .dstBinding = static_cast<uint32_t>(shader->uboBindingIdx),
7113 .dstArrayElement = 0,
7114 .descriptorCount = 1,
7115 .descriptorType = VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER,
7116 .pImageInfo = nullptr,
7117 .pBufferInfo = &currentContext.descriptorBufferInfos[shader->uboBindingIdx],
7118 .pTexelBufferView = nullptr,
7119 };
7120
7121 //
7122 shaderIdx++;
7123 }
7124
7125 //
7126 vkUpdateDescriptorSets(device, currentContext.program->layoutBindings, currentContext.descriptorWriteSets.data(), 0, nullptr);
7127
7128 //
7129 auto& drawCommand = currentContext.commandBuffers[currentContext.currentCommandBuffer].drawCommand;
7130 vkCmdBindDescriptorSets(drawCommand, VK_PIPELINE_BIND_POINT_COMPUTE, currentContext.program->pipelineLayout, 0, 1, &uboDescriptorSet, 0, nullptr);
7131 vkCmdDispatch(drawCommand, numGroupsX, numGroupsY, numGroupsZ);
7132
7133 //
7134 programCommandBuffer.uboDescriptorSetsIdx = (programCommandBuffer.uboDescriptorSetsIdx + 1) % programCommandBuffer.uboDescriptorSets.size();
7135 currentContext.commandCount++;
7136
7137 //
7138 requestSubmitDrawBuffers(currentContext.idx);
7139
7140 //
7141 AtomicOperations::increment(statistics.computeCalls);
7142}
7143
7145 //
7147
7148 //
7149 VkResult fenceResult;
7150 do {
7151 fenceResult = vkWaitForFences(device, contextsDrawFences.size(), contextsDrawFences.data(), VK_TRUE, 100000000);
7152 } while (fenceResult == VK_TIMEOUT);
7153
7154 //
7155 for (auto& context: contexts) context.computeRenderBarrierBuffers.clear();
7156
7157 //
7159}
7160
7162 VkResult err;
7163
7164 // TODO: pass multiple buffer barriers to vkCmdPipelineBarrier
7165 //
7166 auto prevAccesses = THSVS_ACCESS_COMPUTE_SHADER_WRITE;
7167 auto nextAccesses = THSVS_ACCESS_VERTEX_BUFFER;
7168 for (auto& context: contexts) {
7169 for (auto buffer: context.computeRenderBarrierBuffers) {
7170 ThsvsBufferBarrier svsBufferBarrier = {
7171 .prevAccessCount = 1,
7172 .pPrevAccesses = &prevAccesses,
7173 .nextAccessCount = 1,
7174 .pNextAccesses = &nextAccesses,
7175 .srcQueueFamilyIndex = 0,
7176 .dstQueueFamilyIndex = 0,
7177 .buffer = buffer,
7178 .offset = 0,
7179 .size = VK_WHOLE_SIZE
7180 };
7181 VkBufferMemoryBarrier vkBufferMemoryBarrier;
7182 VkPipelineStageFlags srcStages;
7183 VkPipelineStageFlags dstStages;
7184 thsvsGetVulkanBufferMemoryBarrier(
7185 svsBufferBarrier,
7186 &srcStages,
7187 &dstStages,
7188 &vkBufferMemoryBarrier
7189 );
7190 prepareSetupCommandBuffer(context.idx);
7191 vkCmdPipelineBarrier(context.setupCommandInUse, srcStages, dstStages, 0, 0, nullptr, 1, &vkBufferMemoryBarrier, 0, nullptr);
7192 finishSetupCommandBuffer(context.idx);
7193 }
7194 context.computeRenderBarrierBuffers.clear();
7195 }
7196}
7197
7198void VKRenderer::uploadSkinningBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, FloatBuffer* data) {
7199 uploadBufferObjectInternal(contextIdx, bufferObjectId, size, data->getBuffer(), (VkBufferUsageFlagBits)(VK_BUFFER_USAGE_TRANSFER_DST_BIT | VK_BUFFER_USAGE_VERTEX_BUFFER_BIT | VK_BUFFER_USAGE_STORAGE_BUFFER_BIT));
7200}
7201
7202void VKRenderer::uploadSkinningBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, IntBuffer* data) {
7203 auto& currentContext = contexts[contextIdx];
7204 uploadBufferObjectInternal(contextIdx, bufferObjectId, size, data->getBuffer(), (VkBufferUsageFlagBits)(VK_BUFFER_USAGE_TRANSFER_DST_BIT | VK_BUFFER_USAGE_VERTEX_BUFFER_BIT | VK_BUFFER_USAGE_STORAGE_BUFFER_BIT));
7205}
7206
7207void VKRenderer::bindSkinningVerticesBufferObject(int contextIdx, int32_t bufferObjectId) {
7208 auto& currentContext = contexts[contextIdx];
7209 currentContext.boundBuffers[0] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[0]);
7210}
7211
7212void VKRenderer::bindSkinningNormalsBufferObject(int contextIdx, int32_t bufferObjectId) {
7213 auto& currentContext = contexts[contextIdx];
7214 currentContext.boundBuffers[1] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[1]);
7215}
7216
7217void VKRenderer::bindSkinningVertexJointsBufferObject(int contextIdx, int32_t bufferObjectId) {
7218 auto& currentContext = contexts[contextIdx];
7219 currentContext.boundBuffers[2] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[2]);
7220}
7221
7222void VKRenderer::bindSkinningVertexJointIdxsBufferObject(int contextIdx, int32_t bufferObjectId) {
7223 auto& currentContext = contexts[contextIdx];
7224 currentContext.boundBuffers[3] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[3]);
7225}
7226
7227void VKRenderer::bindSkinningVertexJointWeightsBufferObject(int contextIdx, int32_t bufferObjectId) {
7228 auto& currentContext = contexts[contextIdx];
7229 currentContext.boundBuffers[4] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[4]);
7230}
7231
7232void VKRenderer::bindSkinningVerticesResultBufferObject(int contextIdx, int32_t bufferObjectId) {
7233 auto& currentContext = contexts[contextIdx];
7234 currentContext.boundBuffers[5] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[5]);
7235 currentContext.computeRenderBarrierBuffers.push_back(currentContext.boundBuffers[5]);
7236 //
7237 auto prevAccesses = THSVS_ACCESS_VERTEX_BUFFER;
7238 auto nextAccesses = THSVS_ACCESS_COMPUTE_SHADER_WRITE;
7239 ThsvsBufferBarrier svsbufferBarrier = {
7240 .prevAccessCount = 1,
7241 .pPrevAccesses = &prevAccesses,
7242 .nextAccessCount = 1,
7243 .pNextAccesses = &nextAccesses,
7244 .srcQueueFamilyIndex = 0,
7245 .dstQueueFamilyIndex = 0,
7246 .buffer = currentContext.boundBuffers[5],
7247 .offset = 0,
7248 .size = VK_WHOLE_SIZE
7249 };
7250 VkBufferMemoryBarrier vkBufferMemoryBarrier;
7251 VkPipelineStageFlags srcStages;
7252 VkPipelineStageFlags dstStages;
7253 thsvsGetVulkanBufferMemoryBarrier(
7254 svsbufferBarrier,
7255 &srcStages,
7256 &dstStages,
7257 &vkBufferMemoryBarrier
7258 );
7259 prepareSetupCommandBuffer(currentContext.idx);
7260 vkCmdPipelineBarrier(currentContext.setupCommandInUse, srcStages, dstStages, 0, 0, nullptr, 1, &vkBufferMemoryBarrier, 0, nullptr);
7261 finishSetupCommandBuffer(currentContext.idx);
7262}
7263
7264void VKRenderer::bindSkinningNormalsResultBufferObject(int contextIdx, int32_t bufferObjectId) {
7265 auto& currentContext = contexts[contextIdx];
7266 currentContext.boundBuffers[6] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[6]);
7267 currentContext.computeRenderBarrierBuffers.push_back(currentContext.boundBuffers[6]);
7268 auto prevAccesses = THSVS_ACCESS_VERTEX_BUFFER;
7269 auto nextAccesses = THSVS_ACCESS_COMPUTE_SHADER_WRITE;
7270 ThsvsBufferBarrier svsbufferBarrier = {
7271 .prevAccessCount = 1,
7272 .pPrevAccesses = &prevAccesses,
7273 .nextAccessCount = 1,
7274 .pNextAccesses = &nextAccesses,
7275 .srcQueueFamilyIndex = 0,
7276 .dstQueueFamilyIndex = 0,
7277 .buffer = currentContext.boundBuffers[6],
7278 .offset = 0,
7279 .size = VK_WHOLE_SIZE
7280 };
7281 VkBufferMemoryBarrier vkBufferMemoryBarrier;
7282 VkPipelineStageFlags srcStages;
7283 VkPipelineStageFlags dstStages;
7284 thsvsGetVulkanBufferMemoryBarrier(
7285 svsbufferBarrier,
7286 &srcStages,
7287 &dstStages,
7288 &vkBufferMemoryBarrier
7289 );
7290 prepareSetupCommandBuffer(currentContext.idx);
7291 vkCmdPipelineBarrier(currentContext.setupCommandInUse, srcStages, dstStages, 0, 0, nullptr, 1, &vkBufferMemoryBarrier, 0, nullptr);
7292 finishSetupCommandBuffer(currentContext.idx);
7293}
7294
7295void VKRenderer::bindSkinningMatricesBufferObject(int contextIdx, int32_t bufferObjectId) {
7296 auto& currentContext = contexts[contextIdx];
7297 currentContext.boundBuffers[7] = getBindBufferObjectInternal(bufferObjectId, currentContext.boundBufferSizes[7]);
7298}
7299
7300void VKRenderer::setVSync(bool vSync) {
7301 Console::println("VKRenderer::" + string(__FUNCTION__) + "(): " + to_string(this->vSync) + " --> " + to_string(vSync));
7302 if (this->vSync == vSync) return;
7303 swapchainPresentMode = vSync == true?VK_PRESENT_MODE_FIFO_KHR:VK_PRESENT_MODE_IMMEDIATE_KHR;
7304 this->vSync = vSync;
7305}
7306
7308 array<VmaBudget, VK_MAX_MEMORY_HEAPS> budget;
7309 vmaGetBudget(vmaAllocator, budget.data());
7310 auto stats = statistics;
7311 stats.memoryUsageGPU = budget[0].allocationBytes;
7312 stats.memoryUsageShared = budget[1].allocationBytes;
7313 statistics.time = Time::getCurrentMillis();
7321 statistics.points = 0;
7327 statistics.submits = 0;
7330 return stats;
7331}
#define ARRAY_SIZE(a)
Definition: VKRenderer.cpp:75
#define ERR_EXIT(err_msg, err_class)
Definition: VKRenderer.cpp:76
#define GET_INSTANCE_PROC_ADDR(inst, entrypoint)
Definition: VKRenderer.cpp:82
#define GET_DEVICE_PROC_ADDR(dev, entrypoint)
Definition: VKRenderer.cpp:90
#define SAMPLER_HASH_TYPE
Definition: VKRenderer.h:75
#define SAMPLER_HASH_MAX
Definition: VKRenderer.h:74
Application base class, please make sure to allocate application on heap to have correct application ...
Definition: Application.h:37
Engine main class.
Definition: Engine.h:122
void reshape(int32_t width, int32_t height)
Reshape.
Definition: Engine.cpp:885
static TextureManager * getTextureManager()
Definition: Engine.h:564
static int getThreadCount()
Definition: Engine.h:579
static Engine * getInstance()
Returns engine instance.
Definition: Engine.h:554
TDME2 engine entity shader parameters.
Frame buffer class.
Definition: FrameBuffer.h:21
Timing class.
Definition: Timing.h:17
const string & getId() const
Definition: Texture.h:60
int32_t addCubeMapTexture(const string &id, Texture *textureLeft, Texture *textureRight, Texture *textureTop, Texture *textureBottom, Texture *textureFront, Texture *textureBack, int contextIdx=0)
Adds a cube map texture to manager.
TextureManager_TextureManaged * addTexture(const string &id, bool &created)
Adds a texture to manager.
vector< Renderer_Context > rendererContexts
Definition: Renderer.h:188
virtual void onBindTexture(int contextIdx, int32_t textureId)=0
On bind texture event.
static void loadShader(VKRenderer::shader_type &shader, int32_t type, const string &pathName, const string &fileName, const string &definitions=string(), const string &functions=string())
Loads a shader.
static bool linkProgram(VKRenderer::program_type &program)
Links attached shaders to a program.
void setClearColor(float red, float green, float blue, float alpha) override
Set up clear color.
void prepareTextureImage(int contextIdx, struct texture_type *textureObject, VkImageTiling tiling, VkImageUsageFlags usage, VkFlags requiredFlags, Texture *texture, const array< ThsvsAccessType, 2 > &nextAccesses, ThsvsImageLayout imageLayout, bool disableMipMaps=true, uint32_t baseLevel=0, uint32_t levelCount=1)
Definition: VKRenderer.cpp:674
void enableDepthBufferWriting() override
Enable depth buffer writing.
void bindSpriteSheetDimensionBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind sprite sheet dimension buffer object.
void bindTexture(int contextIdx, int32_t textureId) override
Binds a texture with given id or unbinds when using ID_NONE.
void clear(int32_t mask) override
Clear render buffer with given mask.
void createSkinningComputingProgram(program_type *program)
void bindTangentsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind tangents buffer object.
void disposeBufferObjects(vector< int32_t > &bufferObjectIds) override
Disposes a frame buffer object.
int32_t getTextureUnit(int contextIdx) override
Get texture unit.
void setProgramUniformFloatMatrix3x3(int contextIdx, int32_t uniformId, const array< float, 9 > &data) override
Set up a float matrix 3x3 uniform value.
VkPhysicalDeviceProperties gpuProperties
Definition: VKRenderer.h:384
void doneGuiMode() override
Set up renderer for 3d rendering.
void setColorMask(bool red, bool green, bool blue, bool alpha) override
Set up GL rendering colormask.
void bindTextureCoordinatesBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind texture coordinates buffer object.
void submitDrawCommandBuffers(int commandBufferCount, VkCommandBuffer *commandBuffers, VkFence &fence)
Definition: VKRenderer.cpp:384
void setImageLayout2(int contextIdx, texture_type *textureObject, const array< ThsvsAccessType, 2 > &accessTypes, const array< ThsvsAccessType, 2 > &nextAccessTypes, ThsvsImageLayout layout, ThsvsImageLayout nextLayout, bool discardContent, uint32_t baseMipLevel, uint32_t levelCount, uint32_t baseArrayLayer, uint32_t layerCount, bool updateTextureObject)
Definition: VKRenderer.cpp:576
void bindSkinningVertexJointWeightsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind skinning vertex joint weights buffer object.
vector< delete_buffer_type > deleteBuffers
Definition: VKRenderer.h:468
void attachShaderToProgram(int32_t programId, int32_t shaderId) override
Attaches a shader to a program.
void setupObjectsRenderingPipeline(int contextIdx, program_type *program)
void dispatchCompute(int contextIdx, int32_t numNodesX, int32_t numNodesY, int32_t numNodesZ) override
Dispatch compute.
void setFrontFace(int contextIdx, int32_t frontFace) override
Set up clock wise or counter clock wise faces as front face.
void setTextureUnit(int contextIdx, int32_t textureUnit) override
Sets up texture unit.
void drawLinesFromBufferObjects(int contextIdx, int32_t points, int32_t pointsOffset) override
Draw lines from buffer objects.
void createBuffer(VkDeviceSize size, VkBufferUsageFlags usage, VkMemoryPropertyFlags properties, VkBuffer &buffer, VmaAllocation &allocation, VmaAllocationInfo &allocationInfo)
void createLinesRenderingPipeline(int contextIdx, program_type *program)
void disableBlending() override
Disables blending.
PFN_vkDestroySwapchainKHR fpDestroySwapchainKHR
Definition: VKRenderer.h:395
void setProgramAttributeLocation(int32_t programId, int32_t location, const string &name) override
Bind attribute to a input location.
VkBool32 checkLayers(uint32_t checkCount, const char **checkNames, const vector< VkLayerProperties > &instanceLayers)
Definition: VKRenderer.cpp:181
void setViewPort(int32_t width, int32_t height) override
Set up viewport parameter.
PFN_vkAcquireNextImageKHR fpAcquireNextImageKHR
Definition: VKRenderer.h:397
void bindSkinningVerticesResultBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind skinning vertices result buffer object.
void setProgramUniformFloat(int contextIdx, int32_t uniformId, float value) override
Set up a float uniform value.
const Renderer_Statistics getStatistics() override
void uploadCubeMapSingleTexture(int contextIdx, texture_type *cubemapTextureType, Texture *texture, uint32_t baseArrayLayer)
void initialize() override
Initialize renderer.
Definition: VKRenderer.cpp:922
void setVSync(bool vSync) override
Enable/Disable v-sync.
int32_t createGBufferColorTexture(int32_t width, int32_t height) override
Creates a geometry buffer color RGBA texture.
PFN_vkCreateSwapchainKHR fpCreateSwapchainKHR
Definition: VKRenderer.h:394
unordered_map< int32_t, shader_type * > shaders
Definition: VKRenderer.h:417
uint16_t createPipelineIndex(program_type *program, int contextIdx)
void setProgramUniformFloatVec3(int contextIdx, int32_t uniformId, const array< float, 3 > &data) override
Set up a float vec3 uniform value.
bool isBufferObjectsAvailable() override
Checks if buffer objects is available.
void disposeFrameBufferObject(int32_t frameBufferId) override
Disposes a frame buffer object.
void uploadBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, FloatBuffer *data) override
Uploads buffer data to buffer object.
void uploadBufferObjectInternal(int contextIdx, buffer_object_type *buffer, int32_t size, const uint8_t *data, VkBufferUsageFlagBits usage)
void setProgramUniformInternal(int contextIdx, int32_t uniformId, uint8_t *data, int32_t size)
void memoryBarrier() override
Memory barrier.
void createBufferTexture(int32_t textureId, int32_t width, int32_t height, int32_t cubeMapTextureId, int32_t cubeMapTextureIndex, VkFormat format)
void setupSkinningComputingPipeline(int contextIdx, program_type *program)
void setProgramUniformInteger(int contextIdx, int32_t uniformId, int32_t value) override
Set up a integer uniform value.
int32_t getProgramUniformLocation(int32_t programId, const string &name) override
Returns location of given uniform variable.
void disableDepthBufferWriting() override
Disable depth buffer writing.
void createRenderProgram(program_type *program)
void setImageLayout(int contextIdx, texture_type *textureObject, const array< ThsvsAccessType, 2 > &nextAccessTypes, ThsvsImageLayout nextLayout, bool discardContent, uint32_t baseMipLevel=0, uint32_t levelCount=1, bool submit=true)
Definition: VKRenderer.cpp:416
void bindSkinningVertexJointIdxsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind skinning vertex joint indices buffer object.
void applyImageLayoutChange(int contextIdx, const image_layout_change &imageLayoutChange, texture_type *textureObject, bool submit=true)
Definition: VKRenderer.cpp:519
void bindNormalsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind normals buffer object.
void drawPointsFromBufferObjects(int contextIdx, int32_t points, int32_t pointsOffset) override
Draw points from buffer objects.
void vmaMemCpy(VmaAllocation allocationDst, const uint8_t *src, uint32_t size, uint32_t offset=0)
void disposeTexture(int32_t textureId) override
Dispose a texture.
int32_t createColorBufferTexture(int32_t width, int32_t height, int32_t cubeMapTextureId, int32_t cubeMapTextureIndex) override
Creates a color buffer texture.
void disableCulling(int contextIdx) override
Disable culling.
VkBuffer getBindBufferObjectInternal(int32_t bufferObjectId, uint32_t &size)
PFN_vkGetPhysicalDeviceSurfaceCapabilitiesKHR fpGetPhysicalDeviceSurfaceCapabilitiesKHR
Definition: VKRenderer.h:391
void bindEffectColorMulsBufferObject(int contextIdx, int32_t bufferObjectId, int32_t divisor) override
Bind effect color muls buffer object.
int32_t createCubeMapTexture(int contextIdx, int32_t width, int32_t height) override
Create cube map texture from frame buffers.
void bindCubeMapTexture(int contextIdx, int32_t textureId) override
Binds a cube map texture with given id or unbinds when using ID_NONE.
framebuffer_pipelines_type * framebufferPipelinesCache
Definition: VKRenderer.h:408
void setProgramUniformFloatVec4(int contextIdx, int32_t uniformId, const array< float, 4 > &data) override
Set up a float vec4 uniform value.
void setDepthFunction(int32_t depthFunction) override
Set up depth function.
void uploadCubeMapTexture(int contextIdx, Texture *textureLeft, Texture *textureRight, Texture *textureTop, Texture *textureBottom, Texture *textureFront, Texture *textureBack) override
Uploads cube map texture data to current bound texture.
void bindFrameBuffer(int32_t frameBufferId) override
Enables a framebuffer to be rendered.
int32_t loadShader(int32_t type, const string &pathName, const string &fileName, const string &definitions=string(), const string &functions=string()) override
Loads a shader.
vector< framebuffer_pipelines_type * > framebuffersPipelines
Definition: VKRenderer.h:409
void createDepthStencilStateCreateInfo(VkPipelineDepthStencilStateCreateInfo &depthStencilStateCreateInfo)
bool isDepthTextureAvailable() override
Checks if depth texture is available.
void resizeDepthBufferTexture(int32_t textureId, int32_t width, int32_t height) override
Resizes a depth texture.
void resizeGBufferGeometryTexture(int32_t textureId, int32_t width, int32_t height) override
Resizes a geometry buffer geometry texture.
void finishFrame() override
Finish frame.
bool isInstancedRenderingAvailable() override
Checks if instanced rendering is available.
void drawTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset) override
Draw triangles from buffer objects.
void createDepthBufferTexture(int32_t textureId, int32_t width, int32_t height, int32_t cubeMapTextureId, int32_t cubeMapTextureIndex)
void setImageLayout3(int contextIdx, VkImage image, VkImageAspectFlags aspectMask, const array< ThsvsAccessType, 2 > &accessTypes, const array< ThsvsAccessType, 2 > &nextAccessTypes, ThsvsImageLayout layout, ThsvsImageLayout nextLayout)
Definition: VKRenderer.cpp:620
void initGuiMode() override
Set up renderer for GUI rendering.
framebuffer_pipelines_type * createFramebufferPipelines(uint64_t framebufferPipelinesId)
void applyImageLayoutChanges(int contextIdx, const array< image_layout_change, 8 > imageLayoutChanges, array< texture_type *, 8 > textureObjects, bool submit=true)
Definition: VKRenderer.cpp:539
void bindSkinningVertexJointsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind skinning vertex joints buffer object.
void setCullFace(int32_t cullFace) override
Sets up which face will be culled.
vector< int32_t > createBufferObjects(int32_t bufferCount, bool useGPUMemory, bool shared) override
Generate buffer objects for vertex data and such.
void enableBlending() override
Enables blending.
void setupPointsRenderingPipeline(int contextIdx, program_type *program)
void setupLinesRenderingPipeline(int contextIdx, program_type *program)
void createObjectsRenderingPipeline(int contextIdx, program_type *program)
void uploadIndicesBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, ShortBuffer *data) override
Uploads buffer data to buffer object.
void drawInstancedTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset, VkBuffer indicesBuffer, int32_t instances)
bool linkProgram(int32_t programId) override
Links attached shaders to a program.
void setProgramUniformFloatMatrix4x4(int contextIdx, int32_t uniformId, const array< float, 16 > &data) override
Set up a float matrix 4x4 uniform value.
void enableCulling(int contextIdx) override
Enable culling.
vector< delete_image_type > deleteImages
Definition: VKRenderer.h:469
PFN_vkGetPhysicalDeviceSurfacePresentModesKHR fpGetPhysicalDeviceSurfacePresentModesKHR
Definition: VKRenderer.h:393
bool beginDrawCommandBuffer(int contextIdx, int bufferId=-1)
Definition: VKRenderer.cpp:267
array< buffer_object_type *, BUFFERS_MAX+1 > buffers
Definition: VKRenderer.h:418
void bindOriginsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind origins buffer object.
int32_t createProgram(int type) override
Creates a shader program.
void bindIndicesBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind indices buffer object.
void initializeFrame() override
Pre Frame Initialization.
int32_t createGBufferGeometryTexture(int32_t width, int32_t height) override
Creates a geometry buffer geometry texture.
void uploadSkinningBufferObject(int contextIdx, int32_t bufferObjectId, int32_t size, FloatBuffer *data) override
Upload skinning buffer object.
void enableAdditionBlending() override
Enable blending with c = a + b.
framebuffer_pipelines_type * getFramebufferPipelines(uint64_t framebufferPipelinesId)
void bindVerticesBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind vertices buffer object.
texture_type * getBindTextureInternal(int32_t textureId)
void createRasterizationStateCreateInfo(int contextIdx, VkPipelineRasterizationStateCreateInfo &rasterizationStateCreateInfo)
void drawInstancedIndexedTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset, int32_t instances) override
Draw instanced indexed triangles from buffer objects.
PFN_vkGetSwapchainImagesKHR fpGetSwapchainImagesKHR
Definition: VKRenderer.h:396
void useProgram(int contextIdx, int32_t programId) override
Use shader program.
void bindColorsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind colors buffer object.
void bindPointSizesBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind point sizes buffer object.
void bindSkinningVerticesBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind skinning vertices buffer object.
void createColorBlendAttachmentState(VkPipelineColorBlendAttachmentState &blendAttachmentState)
void bindBitangentsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind bitangents buffer object.
void bindSkinningNormalsResultBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind skinning normals result buffer object.
void setProgramUniformFloatMatrices4x4(int contextIdx, int32_t uniformId, int32_t count, FloatBuffer *data) override
Set up a float matrices 4x4 uniform values.
void resizeGBufferColorTexture(int32_t textureId, int32_t width, int32_t height) override
Resizes a geometry buffer color RGBA texture.
void bindSkinningMatricesBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind skinning matrices result buffer object.
int32_t createGeometryBufferObject(int32_t depthBufferTextureId, int32_t geometryBufferTextureId1, int32_t geometryBufferTextureId2, int32_t geometryBufferTextureId3, int32_t colorBufferTextureId1, int32_t colorBufferTextureId2, int32_t colorBufferTextureId3, int32_t colorBufferTextureId4, int32_t colorBufferTextureId5) override
Creates a geometry frame buffer object.
vector< window_frambuffer_buffer_type > windowFramebufferBuffers
Definition: VKRenderer.h:402
void updateViewPort() override
Update viewport.
void createFramebufferObject(int32_t frameBufferId)
VkPipeline getPipelineInternal(int contextIdx, program_type *programm, uint64_t framebuffePipelineId, uint32_t pipelineIdx)
void bindModelMatricesBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind model matrices buffer object.
void createPointsRenderingPipeline(int contextIdx, program_type *program)
void drawIndexedTrianglesFromBufferObjects(int contextIdx, int32_t triangles, int32_t trianglesOffset) override
Draw indexed triangles from buffer objects.
void disableDepthBufferTest() override
Disable depth buffer test.
void bindSkinningNormalsBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind skinning normal buffer object.
void unbindBufferObjects(int contextIdx) override
Unbind buffer objects.
array< texture_type *, TEXTURES_MAX+1 > textures
Definition: VKRenderer.h:419
VkPhysicalDeviceMemoryProperties memoryProperties
Definition: VKRenderer.h:387
texture_type * getTextureInternal(int32_t textureId)
void bindEffectColorAddsBufferObject(int contextIdx, int32_t bufferObjectIdd, int32_t divisor) override
Bind effect color adds buffer object.
int32_t createTexture() override
Creates a texture.
VkQueueFamilyProperties * queueProperties
Definition: VKRenderer.h:386
float readPixelDepth(int32_t x, int32_t y) override
Reads a pixel depth.
void uploadTexture(int contextIdx, Texture *texture) override
Uploads texture data to current bound texture.
void getImageLayoutChange(image_layout_change &imageLayoutChange, texture_type *textureObject, const array< ThsvsAccessType, 2 > &prevAccessTypes, const array< ThsvsAccessType, 2 > &nextAccessTypes, ThsvsImageLayout prevLayout, ThsvsImageLayout nextLayout, bool discardContent, uint32_t baseMipLevel=0, uint32_t levelCount=1)
Definition: VKRenderer.cpp:468
VkCommandBuffer endDrawCommandBuffer(int contextIdx, int bufferId=-1, bool cycleBuffers=true)
Definition: VKRenderer.cpp:353
void setLineWidth(float lineWidth) override
Set line width.
ByteBuffer * readPixels(int32_t x, int32_t y, int32_t width, int32_t height) override
Read pixels.
void enableDepthBufferTest() override
Enable depth buffer test.
void resizeColorBufferTexture(int32_t textureId, int32_t width, int32_t height) override
Resize color buffer texture.
static constexpr int OBJECTS_VERTEX_BUFFER_COUNT
Definition: VKRenderer.h:99
void bindTextureSpriteIndicesBufferObject(int contextIdx, int32_t bufferObjectId) override
Bind texture and sprite indices buffer object.
void setProgramUniformFloatVec2(int contextIdx, int32_t uniformId, const array< float, 2 > &data) override
Set up a float vec2 uniform value.
PFN_vkGetPhysicalDeviceSurfaceFormatsKHR fpGetPhysicalDeviceSurfaceFormatsKHR
Definition: VKRenderer.h:392
buffer_object_type * getBufferObjectInternal(int32_t bufferObjectId)
PFN_vkGetPhysicalDeviceSurfaceSupportKHR fpGetPhysicalDeviceSurfaceSupportKHR
Definition: VKRenderer.h:390
vector< framebuffer_object_type * > framebuffers
Definition: VKRenderer.h:422
4x4 3D Matrix class
Definition: Matrix4x4.h:24
File system singleton class.
Definition: FileSystem.h:14
Mutex implementation.
Definition: Mutex.h:27
void unlock()
Unlocks this mutex.
Definition: Mutex.cpp:48
void lock()
Locks the mutex, additionally mutex locks will block until other locks have been unlocked.
Definition: Mutex.cpp:39
Implementation for read/write lock.
Definition: ReadWriteLock.h:21
void unlock()
Unlocks this spin lock.
Definition: SpinLock.h:47
void lock()
Locks the spin lock, additionally spin lock locks will block until other locks have been unlocked.
Definition: SpinLock.h:40
Base class of buffers.
Definition: Buffer.h:20
uint8_t * getBuffer()
Definition: Buffer.h:131
uint8_t get(int32_t position)
Definition: Buffer.h:102
Byte buffer class.
Definition: ByteBuffer.h:24
Console class.
Definition: Console.h:26
Float buffer class.
Definition: FloatBuffer.h:18
Integer buffer class.
Definition: IntBuffer.h:14
Integer class.
Definition: Integer.h:26
Run time type information utility class.
Definition: RTTI.h:14
Short buffer class.
Definition: ShortBuffer.h:14
String tools class.
Definition: StringTools.h:20
Time utility class.
Definition: Time.h:21
std::exception Exception
Exception base class.
Definition: Exception.h:19
array< array< ThsvsAccessType, 2 >, 6 > accessTypes
Definition: VKRenderer.h:253