Quantcast
Jump to content


Recommended Posts

Posted

2021-06-28-01-banner.jpg

The Samsung Developers team works with many companies in the mobile and gaming ecosystems. We're excited to support our partner, Arm, as they bring timely and relevant content to developers looking to build games and high-performance experiences. This Vulkan Extensions series will help developers get the most out of the new and game-changing Vulkan extensions on Samsung mobile devices.

As I mentioned previously, Android is enabling a host of useful new Vulkan extensions for mobile. These new extensions are set to improve the state of graphics APIs for modern applications, enabling new use cases and changing how developers can design graphics renderers going forward. These extensions will be available across various Android smartphones, including the new Samsung Galaxy S21, which was recently launched on 14 January. Existing Samsung Galaxy S models, such as the Samsung Galaxy S20, also allow upgrades to Android R.

I have already discussed two of these extensions in previous blogs - Maintenance Extensions and Legacy Support Extensions. However, there are three further Vulkan extensions for Android that I believe are ‘game changers’. In the first of three blogs, I will explore these individual game changer extensions – what they do, why they can be useful and how to use them. The goal here is to not provide complete samples, but there should be enough to get you started. The first Vulkan extension is ‘Descriptor Indexing.’ Descriptor indexing can be available in handsets prior to Android R release. To check what Android devices are available with 'Descriptor Indexing' check here. You can also directly view the Khronos Group/ Vulkan samples that are relevant to this blog here.

VK_EXT_descriptor_indexing

Introduction

In recent years, we have seen graphics APIs greatly evolve in their resource binding flexibility. All modern graphics APIs now have some answer to how we can access a large swathes of resources in a shader.

Bindless

A common buzzword that is thrown around in modern rendering tech is “bindless”. The core philosophy is that resources like textures and buffers are accessed through simple indices or pointers, and not singular “resource bindings”. To pass down resources to our shaders, we do not really bind them like in the graphics APIs of old. Simply write a descriptor to some memory and a shader can come in and read it later. This means the API machinery to drive this is kept to a minimum.

This is a fundamental shift away from the older style where our rendering loop looked something like:

render_scene() {
    foreach(drawable) {
        command_buffer->update_descriptors(drawable);
        command_buffer->draw();
    }
}

Now it looks more like:

render_scene() {
    command_buffer->bind_large_descriptor_heap();
    large_descriptor_heap->write_global_descriptors(scene, lighting, shadowmaps);
    foreach(drawable) {
        offset = large_descriptor_heap->allocate_and_write_descriptors(drawable);  
        command_buffer->push_descriptor_heap_offsets(offset);
        command_buffer->draw();
    }
}

Since we have free-form access to resources now, it is much simpler to take advantage of features like multi-draw or other GPU driven approaches. We no longer require the CPU to rebind descriptor sets between draw calls like we used to.

Going forward when we look at ray-tracing, this style of design is going to be mandatory since shooting a ray means we can hit anything, so all descriptors are potentially used. It is useful to start thinking about designing for this pattern going forward.

The other side of the coin with this feature is that it is easier to shoot yourself in the foot. It is easy to access the wrong resource, but as I will get to later, there are tools available to help you along the way.

VK_EXT_descriptor_indexing features

This extension is a large one and landed in Vulkan 1.2 as a core feature. To enable bindless algorithms, there are two major features exposed by this extension.

Non-uniform indexing of resources

How resources are accessed has evolved quite a lot over the years. Hardware capabilities used to be quite limited, with a tiny bank of descriptors being visible to shaders at any one time. In more modern hardware however, shaders can access descriptors freely from memory and the limits are somewhat theoretical.

Constant indexing

Arrays of resources have been with us for a long time, but mostly as syntactic sugar, where we can only index into arrays with a constant index. This is equivalent to not using arrays at all from a compiler point of view.

layout(set = 0, binding = 0) uniform sampler2D Textures[4];
const int CONSTANT_VALUE = 2;
color = texture(Textures[CONSTANT_VALUE], UV);

HLSL in D3D11 has this restriction as well, but it has been more relaxed about it, since it only requires that the index is constant after optimization passes are run.

Dynamic indexing

As an optional feature, dynamic indexing allows applications to perform dynamic indexing into arrays of resources. This allows for a very restricted form of bindless. Outside compute shaders however, using this feature correctly is quite awkward, due to the requirement of the resource index being dynamically uniform.

Dynamically uniform is a somewhat intricate subject, and the details are left to the accompanying sample in KhronosGroup/Vulkan-Samples.

Non-uniform indexing

Most hardware assumes that the resource index is dynamically uniform, as this has been the restriction in APIs for a long time. If you are not accessing resources with a dynamically uniform index, you must notify the compiler of your intent.

The rationale here is that hardware is optimized for dynamically uniform (or subgroup uniform) indices, so there is often an internal loop emitted by either compiler or hardware to handle every unique index that is used. This means performance tends to depend a bit on how divergent resource indices are.

#extension GL_EXT_nonuniform_qualifier : require
layout(set = 0, binding = 0) uniform texture2D Tex[];
layout(set = 1, binding = 0) uniform sampler Sampler;
color = texture(nonuniformEXT(sampler2D(Tex[index], Sampler)), UV);

In HLSL, there is a similar mechanism where you use NonUniformResourceIndex, for example.

Texture2D<float4> Textures[] : register(t0, space0);
SamplerState Samp : register(s0, space0);
float4 color = Textures[NonUniformResourceIndex(index)].Sample(Samp, UV);

All descriptor types can make use of this feature, not just textures, which is quite handy! The nonuniformEXT qualifier removes the requirement to use dynamically uniform indices. See the code sample for more detail.

Update-after-bind

A key component to make the bindless style work is that we do not have to … bind descriptor sets all the time. With the update-after-bind feature, we effectively block the driver from consuming descriptors at command recording time, which gives a lot of flexibility back to the application. The shader consumes descriptors as they are used and the application can freely update descriptors, even from multiple threads.

To enable, update-after-bind we modify the VkDescriptorSetLayout by adding new binding flags. The way to do this is somewhat verbose, but at least update-after-bind is something that is generally used for just one or two descriptor set layouts throughout most applications:

VkDescriptorSetLayoutCreateInfo info = { … };
info.flags = VK_DESCRIPTOR_SET_LAYOUT_CREATE_UPDATE_AFTER_BIND_POOL_BIT_EXT;
const VkDescriptorBindingFlagsEXT flags =
    VK_DESCRIPTOR_BINDING_VARIABLE_DESCRIPTOR_COUNT_BIT_EXT |    
    VK_DESCRIPTOR_BINDING_PARTIALLY_BOUND_BIT_EXT |
    VK_DESCRIPTOR_BINDING_UPDATE_AFTER_BIND_BIT_EXT |
    VK_DESCRIPTOR_BINDING_UPDATE_UNUSED_WHILE_PENDING_BIT_EXT;
VkDescriptorSetLayoutBindingFlagsCreateInfoEXT binding_flags = { … };
binding_flags.bindingCount = info.bindingCount;
binding_flags.pBindingFlags = &flags;
info.pNext = &binding_flags;

For each pBinding entry, we have a corresponding flags field where we can specify various flags. The descriptor_indexing extension has very fine-grained support, but UPDATE_AFTER_BIND_BIT and VARIABLE_DESCRIPTOR_COUNT_BIT are the most interesting ones to discuss.

VARIABLE_DESCRIPTOR_COUNT deserves special attention as it makes descriptor management far more flexible. Having to use a fixed array size can be somewhat awkward, since in a common usage pattern with a large descriptor heap, there is no natural upper limit to how many descriptors we want to use. We could settle for some arbitrarily high limit like 500k, but that means all descriptor sets we allocate have to be of that size and all pipelines have to be tied to that specific number. This is not necessarily what we want, and VARIABLE_DESCRIPTOR_COUNT allows us to allocate just the number of descriptors we need per descriptor set. This makes it far more practical to use multiple bindless descriptor sets.

When allocating a descriptor set, we pass down the actual number of descriptors to allocate:

VkDescriptorSetVariableDescriptorCountAllocateInfoEXT variable_info = { … };
variable_info.sType =
        VK_STRUCTURE_TYPE_DESCRIPTOR_SET_VARIABLE_DESCRIPTOR_COUNT_ALLOCATE_INFO_EXT;
variable_info.descriptorSetCount = 1;
allocate_info.pNext = &variable_info;
variable_info.pDescriptorCounts = &NumDescriptorsStreaming;
VK_CHECK(vkAllocateDescriptorSets(get_device().get_handle(), &allocate_info, 
        &descriptors.descriptor_set_update_after_bind));

GPU-assisted validation and debugging

When we enter the world of descriptor indexing, there is a flipside where debugging and validation is much more difficult. The major benefit of the older binding models is that it is fairly easy for validation layers and debuggers to know what is going on. This is because the number of available resources to a shader is small and focused.

With UPDATE_AFTER_BIND in particular, we do not know anything at draw time, which makes this awkward.

It is possible to enable GPU assisted validation in the Khronos validation layers. This lets you catch issues like:

"UNASSIGNED-Descriptor uninitialized: Validation Error: [ UNASSIGNED-Descriptor uninitialized ] Object 0: handle = 0x55625acf5600, type = VK_OBJECT_TYPE_QUEUE; | MessageID = 0x893513c7 | Descriptor index 67 is uninitialized__.  Command buffer (0x55625b184d60). Draw Index 0x4. Pipeline (0x520000000052). Shader Module (0x510000000051). Shader Instruction Index = 59.  Stage = Fragment.  Fragment coord (x,y) = (944.5, 0.5).  Unable to find SPIR-V OpLine for source information.  Build shader with debug info to get source information."

Or:

"UNASSIGNED-Descriptor uninitialized: Validation Error: [ UNASSIGNED-Descriptor uninitialized ] Object 0: handle = 0x55625acf5600, type = VK_OBJECT_TYPE_QUEUE; | MessageID = 0x893513c7 | Descriptor index 131 is uninitialized__.  Command buffer (0x55625b1893c0). Draw Index 0x4. Pipeline (0x520000000052). Shader Module (0x510000000051). Shader Instruction Index = 59.  Stage = Fragment.  Fragment coord (x,y) = (944.5, 0.5).  Unable to find SPIR-V OpLine for source information.  Build shader with debug info to get source information."

RenderDoc supports debugging descriptor indexing through shader instrumentation, and this allows you to inspect which resources were accessed. When you have several thousand resources bound to a pipeline, this feature is critical to make any sense of the inputs.

If we are using the update-after-bind style, we can inspect the exact resources we used.

In a non-uniform indexing style, we can inspect all unique resources we used.

Conclusion

Descriptor indexing unlocks many design possibilities in your engine and is a real game changer for modern rendering techniques. Use with care, and make sure to take advantage of all debugging tools available to you. You need them.

This blog has explored the first Vulkan extension game changer, with two more parts in this game changer blog series still to come. The next part will focus on ‘Buffer Device Address’ and how developers can use this new feature to enhance their games.

Follow Up

Thanks to Hans-Kristian Arntzen and the team at Arm for bringing this great content to the Samsung Developers community. We hope you find this information about Vulkan extensions useful for developing your upcoming mobile games. The original version of this article can be viewed at Arm Community.

The Samsung Developers site has many resources for developers looking to build for and integrate with Samsung devices and services. Stay in touch with the latest news by creating a free account or by subscribing to our monthly newsletter. Visit the Marketing Resources page for information on promoting and distributing your apps and games. Finally, our developer forum is an excellent way to stay up-to-date on all things related to the Galaxy ecosystem.

View the full blog at its source



  • Replies 0
  • Created
  • Last Reply

Top Posters In This Topic

Popular Days

Top Posters In This Topic

Join the conversation

You can post now and register later. If you have an account, sign in now to post with your account.
Note: Your post will require moderator approval before it will be visible.

Guest
Reply to this topic...

×   Pasted as rich text.   Paste as plain text instead

  Only 75 emoji are allowed.

×   Your link has been automatically embedded.   Display as a link instead

×   Your previous content has been restored.   Clear editor

×   You cannot paste images directly. Upload or insert images from URL.

Loading...
  • Similar Topics

    • By Samsung Newsroom
      Samsung Electronics’ entire line of standalone signage has earned a Silver rating from the Electronic Product Environmental Assessment Tool (EPEAT), an environmental rating system managed by the Green Electronics Council (GEC) in the United States.
       
      EPEAT evaluates products across a range of sustainability criteria, including hazardous substance use, energy efficiency, recycled packaging and corporate social responsibility. This recognition is especially noteworthy as every model in Samsung’s standalone signage lineup is now certified with a Silver rating. Additionally, three touch signage models — the QBC-T (24-inch) and QMB-T (43-inch and 55-inch sizes) — also received the Silver rating.
       
      Since becoming the first company in the signage industry to earn the Reducing CO2 certification from the Carbon Trust in the United Kingdom in 2022, Samsung has continued to advance its sustainability efforts by incorporating recycled plastics into its products.
       
      As a result, in 2025, Samsung’s standalone 4K UHD signage lineup — the QMC series, ranging from 43- to 98-inch models — has received both Product Carbon Footprint and Product Carbon Reduction certifications from TÜV Rheinland in Germany.
       
      Explore the infographic below to see Samsung’s EPEAT Silver-certified signage solutions.
       

      View the full article
    • By Samsung Newsroom
      Samsung Electronics today announced that Samsung TV Plus, its free ad-supported streaming (FAST) service, will serve as the exclusive global livestream platform for SMTOWN LIVE 2025 in L.A., the landmark K-pop concert commemorating the 30th anniversary of SM Entertainment. The live broadcast will air on May 11, from Dignity Health Sports Park in Los Angeles, to audiences across 18 countries via Samsung TV Plus.
       
      This milestone collaboration with SM Entertainment — the powerhouse behind K-pop’s global rise — marks a significant moment for Samsung TV Plus as it continues to redefine how fans worldwide experience Korean content.
       
      “Through our partnership with SM Entertainment, we’re leveraging Samsung TV Plus’s technology to bring the richness of K-Content to more viewers than ever before,” said Yong Su Kim, Executive Vice President of the Visual Display Business at Samsung Electronics. “This global event marks a significant moment for K-Pop fans everywhere and we’re proud to broaden access to premium Korean content for audiences around the world.”
       
       
      Unprecedented Global Access to K-pop’s Biggest Stage
      SMTOWN LIVE 2025 in L.A. will feature a star-studded lineup of SM Entertainment’s leading artists, including TVXQ!, SUPER JUNIOR, SHINee (KEY, MINHO), EXO (SUHO, CHANYEOL, KAI), Red Velvet (IRENE, SEULGI, JOY), NCT 127, NCT DREAM, WayV, aespa, RIIZE, NCT WISH, Hearts2Hearts, SMTR25, and much more.
       
      In addition to beloved fan-favorite tracks, Samsung TV Plus will exclusively showcase live performances, including:
       
      The first US stage of “poppop” by NCT WISH, following their recent music show win The live performance of “Wait On Me” by EXO’s KAI, a chart-topping track that reached No.1 on iTunes in 30 regions and topped China’s QQ Music digital album chart  
      These moments will be available only on Samsung TV Plus, providing fans in select countries with exclusive front-row access.
       
       
      Dedicated SMTOWN Channel Enhances the K-pop Viewing Experience
      To further elevate fan engagement, Samsung TV Plus has launched a dedicated SMTOWN Channel that offers:
       
      Full concert replays of SMTOWN LIVE 2025 in L.A. Music videos and curated content highlighting SM artists and the legacy of SM Entertainment  
      The SMTOWN LIVE 2025 in L.A. replay will be available exclusively on Samsung TV Plus in select countries for a six-month period, further reinforcing the platform’s role as a premier global destination for K-pop content.
       
       
      A Growing Hub for Global K-Content
      Samsung TV Plus continues to grow as a global destination for Korean entertainment, offering over 4,000 hours of free-to-stream dramas, thrillers, romance, crime series, and music programming. Available on more than 630 million Samsung devices across 30 countries, the platform provides a seamless, ad-supported viewing experience to millions of users — no subscriptions or logins required.
       
      With the SMTOWN LIVE 2025 in L.A. partnership, Samsung TV Plus solidifies its leadership in global K-content distribution — expanding access, deepening fan connections, and bringing iconic Korean entertainment into more homes around the world.
       
      For more information on how to watch SMTOWN LIVE 2025 in L.A. and explore the full Samsung TV Plus offering, visit www.samsung.com.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics today announced that its latest lineup of QLED TVs has received ‘Real Quantum Dot Display’ certification from TÜV Rheinland, an international certification organization based in Germany. The certification verifies that Samsung’s QLED TVs meet global standards for quantum dot display structure, reinforcing the company’s technological leadership in the premium TV market.
       
      The certification confirms that Samsung QLED TVs comply with the International Electrotechnical Commission (IEC) 62595-1-6 standard, which defines the application of quantum dot (QD) light converting unit combined with blue light sources for standard QLED displays.
       
      As part of the certification process, TÜV Rheinland analyzed the light spectrum produced by Samsung QLED TVs and confirmed that it displayed clear separation between red, green and blue — an important marker of color accuracy. This distinction is enabled by quantum dots and may not be as pronounced in displays using alternative materials, which can sometimes cause color mixing or reduced clarity. The results demonstrate how Samsung’s use of quantum dots contributes to delivering vivid and precise color expression.
       
      With the latest certification, Samsung’s QLED TVs are officially validated as true quantum dot displays, further differentiating Samsung’s offerings and strengthening consumer trust in premium television technologies.
       
      “This certification objectively validates that Samsung QLED TVs deliver true quantum dot performance built to international standards,” said Taeyong Son, Executive Vice President of Visual Display Business at Samsung Electronics. “We will continue to drive innovation and strengthen consumer trust as we lead the premium TV market.”
       
      The series that have received certification include the Neo QLED 8K (QN990F, QN950F), Neo QLED 4K (QN90F, QN85F, QN80F, QN70F) and QLED 4K (Q8F, Q7F, Q6F) series.
       
      Quantum dots are ultra-fine nanomaterials, tens of thousands of times smaller than a human hair, renowned for their ability to reproduce precise and vivid colors depending on light wavelength. The method by which quantum dots are integrated into display panels has become a key indicator for evaluating technological advancement in the premium TV segment.
       
      Separately, Samsung’s quantum dot technology has also been recognized by global testing organization Société Générale de Surveillance (SGS) for its excellence in cadmium-free design — an environmentally conscious approach that eliminates the use of cadmium, a toxic heavy metal known to pose risks to human health and the environment.
      View the full article
    • By Samsung Newsroom
      April 2025 New & Updated Features of Samsung Health Accessory SDK
      Introducing the newly updated Samsung Health Accessory SDK. 
      The innovative bridge for integrating Samsung Health with partner device data, the Accessory SDK has been enhanced with new features such as Cycling Power Sensor, Cycling Speed & Cadence Sensor, and Thermometer. Existing features have also been improved.
      The SDK consolidates scattered user health data from various devices into Samsung Health, enabling more precise, data-driven health management and ultimately delivering greater value to our users. Enrich user health journey with the new and improved Accessory SDK.

      Learn More Samsung IAP Unity Plugin v6.3.0
      Samsung In-App Purchase (IAP) supports not only the Android SDK, but also the Unity Plugin for applications built with Unity.
      On March 19, the Unity Plugin with the latest version of Samsung IAP 6.3.0 was released, and the programming guide was also partially updated for developer convenience.
      This update has added new APIs for checking subscription promotion eligibility and changing subscription plans. It is also possible to check price changes for active subscriptions, enabling more flexible and precise subscription management. Learn more on the Samsung Developer Portal.

      Learn More Your First Step Towards Becoming a Samsung Wallet Partner
      Are you considering a partnership with Samsung Wallet? Check out the onboarding video and blog content created by the Samsung Wallet team that provide clear and easy guidance for the partner onboarding process. The Samsung Wallet team is always committed to communicating with and growing alongside more partners. Get familiar with the onboarding process on the blog today and register as a Samsung Wallet partner!

      Learn More Samsung Electronics Unveils Latest SmartThings Update
      SmartThings strives to make the platform more valuable for our end users, partners, and developers, with our goal to empower users to create exceptional experiences. In Q1 2025, Samsung SmartThings launched key updates to enhance home AI. The highlight of this quarter is the integration of SmartThings with Samsung Health, which is designed to improve users' sleep environments while enabling more personalized automation experiences. The update also expands Calm Onboarding to support a wider range of devices and adds compatibility with the Matter 1.4 standard.

      Learn more about all the updates here. Tutorial: How to Apply LUT Profiles to Samsung Log Videos in Premiere Pro
      Did you know that you can create cinematic videos like a pro with just a Galaxy device, without professional equipment? Samsung Log is a new camera application feature introduced with the Galaxy S25 series. It brings the power of log filming, once exclusive to professional cameras, to your smartphone. Log is a flat, desaturated color profile that preserves more image data, optimizing it for color correction and post-production. Filming in Log profiling is favored by professional videographers for its flexibility in color grading, allowing them to bring out more cinematic and visually appealing videos.

      Check out the tutorial video to learn how you can easily color grade your Samsung Log video clips in Adobe Premiere Pro using LUT profiles created by Samsung. Get professional-looking results with just a few clicks! Configuring Instant Server Notifications for Samsung IAP
      Samsung IAP's Instant Server Notification (ISN) service ensures developers stay informed about user actions. When users trigger events such as completing in-app purchases or modifying subscriptions, the developer receives notifications with the details of the event, enabling them to track and manage user transactions more effectively. It's a seamless way to ensure developers stay up to date.

      Check out our blog post to find out how to configure a server to manage the supported events sent by the Samsung IAP ISN service.

      Learn More Evaluation of Wearable Head BCG for PTT Measurement in Blood Pressure Intervention
      Managing hypertension and cardiovascular risk demands frequent and accurate blood pressure monitoring. Traditional cuff-based methods, however, have limitations in their portability and real-time measuring aspect.

      Samsung Research America has proposed a new system that enables continuous blood pressure tracking using an over-the-ear wireless wearable device. The system uses sensors to capture both ballistocardiography (BCG) and photoplethysmography (PPG) signals, and calculate the pulse transit time (PTT) by combining these two bio-signals. Learn about the potential of a future healthcare solution that lets you track blood pressure with everyday wireless earphones on the Samsung Research blog.

      Learn More CheapNVS: Real-Time On-Device Novel View Synthesis for Mobile Applications
      Novel View Synthesis (NVS) is an innovative technology as it lets you reconstruct a scene from various perspectives. However, as NVS requires a lot of computation, it relies heavily on high-performance GPUs or cloud servers. Accordingly, it has limitations related to the cost, and is difficult to apply in real time on mobile devices.

      In order to tackle these issues, Samsung R&D Institute United Kingdom presents CheapNVS, a lightweight NVS system based on neural networks that you can run even on your smartphone. This model takes in a single input image and a new camera pose, and then leverages hardware-friendly network design to both perform image warping and then inpainting to fill in the occluded areas. With its novel parallelizable NVS formulation, it manages to speed-up execution while avoiding the use of costly structures such as multi-plane images. CheapNVS, implementable without complex 3D modeling or expensive computations, is a next-generation technology that can be used for a variety of mobile applications including video calls and 3D image conversion. It is more lightweight than conventional methods by a factor of 20 or more, running quickly and efficiently even on mobile SoC environments. Learn more about this innovative technology on the Samsung Research blog.

      Learn More View the full blog at its source
    • By Samsung Newsroom
      Samsung Electronics today announced that it has retained its position as the world’s leading gaming monitor brand for the sixth consecutive year, according to the latest data from the International Data Corporation (IDC).
       
      Based on total revenue, Samsung captured a leading 21.0% share of the global gaming monitor market in 2024,1 reaffirming its dominance in a fast-evolving, performance-driven industry. Samsung also ranked first in the global OLED monitor segment for the second year in a row, reaching a 34.6% market share just two years after launching its first OLED model.2
       

       
      “Samsung’s momentum in the gaming display market reflects our relentless pursuit of innovation and deep understanding of what today’s gamers need,” said Hoon Chung, Executive Vice President of the Visual Display Business at Samsung Electronics. “From immersive 3D experiences to industry-leading OLED performance, we’re shaping the future of gaming.”
       
      Samsung’s continued growth is fueled by its powerful Odyssey gaming monitor lineup, which sets the standard for immersive and high-performance gaming through a variety of models:
       
      Odyssey 3D (G90XF model): A revolutionary 27” monitor that delivers immersive glasses-free 3D gaming, powered by eye-tracking and proprietary lenticular lens technology. With seamless 2D-to-3D video conversion via Reality Hub, a 165Hz refresh rate and an ultra-fast 1ms GTG response time, the monitor redefines interactivity and realism. Odyssey OLED G8 (G81SF model): A cutting-edge 27” or 32” 4K 240Hz OLED gaming monitor that delivers exceptional color accuracy and ultra-fast performance through advanced QD-OLED technology. It features the industry’s highest pixel density in its class, a 0.03ms GTG response time and Samsung OLED Safeguard+ to protect against burn-in. Odyssey OLED G6 (G60SF model): A 27” QHD QD-OLED monitor with an ultra-fast 500Hz refresh rate and a 0.03ms GTG response time — planned for launch in the second half of 2025. The Odyssey G6 extends Samsung’s leadership into the competitive gaming segment, bringing elite-level speed and responsiveness.  
      At the core of this next-generation lineup is Samsung’s proprietary Quantum Dot OLED technology, which enhances color accuracy, contrast and brightness across all viewing angles — making it the preferred choice for gamers seeking both stunning picture quality and elite performance. The performance of all three monitors is further enhanced by being NVIDIA G-SYNC Compatible and having support for AMD FreeSync Premium Pro,3 which reduce stuttering, choppiness and lag for the ultimate OLED gaming experience.
       

       

       
      The Odyssey 3D and the Odyssey OLED G8 are available globally, and the Odyssey OLED G6 will be available globally in the second half of 2025.
       
      For more information about Samsung’s gaming monitor lineup, please visit www.samsung.com/.
       
       
      1 IDC Worldwide Gaming Tracker Q4 2024, Gaming monitor classification is based on IDC criteria: monitors with refresh rates over 144Hz (since Q2 2023) or over 100Hz (prior to Q2 2023). Rankings are based on value amount.
      2 IDC Worldwide PC Monitor Tracker, Q4 2024 (Based on value amount, OLED Total).
      3 NVIDIA G-Sync Compatible and AMD FreeSync Premium Pro support are currently available on the Odyssey 3D and the Odyssey OLED G8, and are planned for the Odyssey OLED G6 on its launch.
      View the full article





×
×
  • Create New...