Quantcast
Jump to content


Recommended Posts

Posted

2021-07-06-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.

Android R is enabling a host of useful Vulkan extensions for mobile, with three being key 'game changers'. These 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. You can expect to see these features across a variety of Android smartphones, such as the new Samsung Galaxy S21, and existing Samsung Galaxy S models like the Samsung Galaxy S20. The first blog explored the first game changer extension for Vulkan – ‘Descriptor Indexing'. This blog explores the second game changer extension – ‘Buffer Device Address.’

VK_KHR_buffer_device_address

VK_KHR_buffer_device_address is a monumental extension that adds a unique feature to Vulkan that none of the competing graphics APIs support.

Pointer support is something that has always been limited in graphics APIs, for good reason. Pointers complicate a lot of things, especially for shader compilers. It is also near impossible to deal with plain pointers in legacy graphics APIs, which rely on implicit synchronization.

There are two key aspects to buffer_device_address (BDA). First, it is possible to query a GPU virtual address from a VkBuffer. This is a plain uint64_t. This address can be written anywhere you like, in uniform buffers, push constants, or storage buffers, to name a few.

The key aspect which makes this extension unique is that a SPIR-V shader can load an address from a buffer and treat it as a pointer to storage buffer memory immediately. Pointer casting, pointer arithmetic and all sorts of clever trickery can be done inside the shader. There are many use cases for this feature. Some are performance-related, and some are new use cases that have not been possible before.

Getting the GPU virtual address (VA)

There are some hoops to jump through here. First, when allocating VkDeviceMemory, we must flag that the memory supports BDA:

VkMemoryAllocateInfo info = {…};
VkMemoryAllocateFlagsInfo flags = {…};
flags.flags = VK_MEMORY_ALLOCATE_DEVICE_ADDRESS_BIT_KHR;
vkAllocateMemory(device, &info, NULL, &memory);

Similarly, when creating a VkBuffer, we add the VK_BUFFER_USAGE_SHADER_DEVICE_ADDRESS_BIT_KHR usage flag. Once we have created a buffer, we can query the VA:

VkBufferDeviceAddressInfoKHR info = {…};
info.buffer = buffer;
VkDeviceSize va = vkGetBufferDeviceAddressKHR(device, &info);

From here, this 64-bit value can be placed in a buffer. You can of course offset this VA. Alignment is never an issue as shaders specify explicit alignment later.

A note on debugging

When using BDA, there are some extra features that drivers must support. Since a pointer does not necessarily exist when replaying an application capture in a debug tool, the driver must be able to guarantee that virtual addresses returned by the driver remain stable across runs. To that end, debug tools supply the expected VA and the driver allocates that VA range. Applications do not care that much about this, but it is important to note that even if you can use BDA, you might not be able to debug with it.

typedef struct VkPhysicalDeviceBufferDeviceAddressFeatures {
    VkStructureType  sType;
    void*                     pNext;
    VkBool32              bufferDeviceAddress;
    VkBool32              bufferDeviceAddressCaptureReplay;
    VkBool32              bufferDeviceAddressMultiDevice;
} VkPhysicalDeviceBufferDeviceAddressFeatures;

If bufferDeviceAddressCaptureReplay is supported, tools like RenderDoc can support BDA.

Using a pointer in a shader

In Vulkan GLSL, there is the GL_EXT_buffer_reference extension which allows us to declare a pointer type. A pointer like this can be placed in a buffer, or we can convert to and from integers:

#version 450
#extension GL_EXT_buffer_reference : require
#extension GL_EXT_buffer_reference_uvec2 : require
layout(local_size_x = 64) in;

 // These define pointer types.
layout(buffer_reference, std430, buffer_reference_align = 16) readonly buffer ReadVec4
{
    vec4 values[];
};

 layout(buffer_reference, std430, buffer_reference_align = 16) writeonly buffer WriteVec4
{
    vec4 values[];
};

 layout(buffer_reference, std430, buffer_reference_align = 4) readonly buffer UnalignedVec4
{
    vec4 value;
};

 layout(push_constant, std430) uniform Registers
{
     ReadVec4 src;
    WriteVec4 dst;
} registers;

Placing raw pointers in push constants avoids all indirection for getting to a buffer. If the driver allows it, the pointers can be placed directly in GPU registers before the shader begins executing.

Not all devices support 64-bit integers, but it is possible to cast uvec2 <-> pointer. Doing address computation like this is fine.

uvec2 uadd_64_32(uvec2 addr, uint offset)
{
    uint carry;
    addr.x = uaddCarry(addr.x, offset, carry);
    addr.y += carry;
    return addr;
}

void main()
{
    uint index = gl_GlobalInvocationID.x;
    registers.dst.values[index] = registers.src.values[index];
     uvec2 addr = uvec2(registers.src);
    addr = uadd_64_32(addr, 20 * index);

Cast a uvec2 to address and load a vec4 from it. This address is aligned to 4 bytes.

    registers.dst.values[index + 1024] = UnalignedVec4(addr).value;
}

Pointer or offsets?

Using raw pointers is not always the best idea. A natural use case you could consider for pointers is that you have tree structures or list structures in GPU memory. With pointers, you can jump around as much as you want, and even write new pointers to buffers. However, a pointer is 64-bit and a typical performance consideration is to use 32-bit offsets (or even 16-bit offsets) if possible. Using offsets is the way to go if you can guarantee that all buffers live inside a single VkBuffer. On the other hand, the pointer approach can access any VkBuffer at any time without having to use descriptors. Therein lies the key strength of BDA.

Extreme hackery: physical pointer as specialization constants

This is a life saver in certain situations where you are desperate to debug something without any available descriptor set.

A black magic hack is to place a BDA inside a specialization constant. This allows for accessing a pointer without using any descriptors. Do note that this breaks all forms of pipeline caching and is only suitable for debug code. Do not ship this kind of code. Perform this dark sorcery at your own risk:

#version 450
#extension GL_EXT_buffer_reference : require
#extension GL_EXT_buffer_reference_uvec2 : require
layout(local_size_x = 64) in;

layout(constant_id = 0) const uint DEBUG_ADDR_LO = 0;
layout(constant_id = 1) const uint DEBUG_ADDR_HI = 0;

layout(buffer_reference, std430, buffer_reference_align = 4) buffer DebugCounter
{
    uint value;
};

void main()
{
    DebugCounter counter = DebugCounter(uvec2(DEBUG_ADDR_LO, DEBUG_ADDR_HI));
    atomicAdd(counter.value, 1u);
}

Emitting SPIR-V with buffer_device_address

In SPIR-V, there are some things to note. BDA is an especially useful feature for layering other APIs due to its extreme flexibility in how we access memory. Therefore, generating BDA code yourself is a reasonable use case to assume as well.

Enables BDA in shaders.

_OpCapability PhysicalStorageBufferAddresses
OpExtension "SPV_KHR_physical_storage_buffer"_

The memory model is PhysicalStorageBuffer64 and not logical anymore.

_OpMemoryModel PhysicalStorageBuffer64 GLSL450_

The buffer reference types are declared basically just like SSBOs.

_OpDecorate %_runtimearr_v4float ArrayStride 16
OpMemberDecorate %ReadVec4 0 NonWritable
OpMemberDecorate %ReadVec4 0 Offset 0
OpDecorate %ReadVec4 Block
OpDecorate %_runtimearr_v4float_0 ArrayStride 16
OpMemberDecorate %WriteVec4 0 NonReadable
OpMemberDecorate %WriteVec4 0 Offset 0
OpDecorate %WriteVec4 Block
OpMemberDecorate %UnalignedVec4 0 NonWritable
OpMemberDecorate %UnalignedVec4 0 Offset 0
OpDecorate %UnalignedVec4 Block_

Declare a pointer to the blocks. PhysicalStorageBuffer is the storage class to use.

OpTypeForwardPointer %_ptr_PhysicalStorageBuffer_WriteVec4 PhysicalStorageBuffer
%_ptr_PhysicalStorageBuffer_ReadVec4 = OpTypePointer PhysicalStorageBuffer %ReadVec4
%_ptr_PhysicalStorageBuffer_WriteVec4 = OpTypePointer PhysicalStorageBuffer %WriteVec4
%_ptr_PhysicalStorageBuffer_UnalignedVec4 = OpTypePointer PhysicalStorageBuffer %UnalignedVec4

Load a physical pointer from PushConstant.

_%55 = OpAccessChain %_ptr_PushConstant__ptr_PhysicalStorageBuffer_WriteVec4 %registers %int_1    
%56 = OpLoad %_ptr_PhysicalStorageBuffer_WriteVec4 %55_

Access chain into it.

_%66 = OpAccessChain %_ptr_PhysicalStorageBuffer_v4float %56 %int_0 %40_

Aligned must be specified when dereferencing physical pointers. Pointers can have any arbitrary address and must be explicitly aligned, so the compiler knows what to do.

OpStore %66 %65 Aligned 16

For pointers, SPIR-V can bitcast between integers and pointers seamlessly, for example:

%61 = OpLoad %_ptr_PhysicalStorageBuffer_ReadVec4 %60
%70 = OpBitcast %v2uint %61

// Do math on %70
%86 = OpBitcast %_ptr_PhysicalStorageBuffer_UnalignedVec4 %some_address

Conclusion

We have already explored two key Vulkan extension game changers through this blog and the previous one. The third and final part of this game changer blog series will explore ‘Timeline Semaphores’ and how developers can use this new extension to improve the development experience and 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 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

Popular Days

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 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
    • By Samsung Newsroom
      The cinema industry is undergoing a profound transformation. As audiences increasingly seek premium and luxury experiences, theaters are evolving to deliver immersive, differentiated environments — and Samsung Electronics is at the forefront of this revolution.
       
      Raising the bar for cinema innovation, Samsung unveiled the latest model of Onyx (ICD) in March. The next generation of cinematic experiences will be defined by immersive visuals, improved comfort and a reliable viewing experience.
       
      In this article, Samsung Newsroom takes a closer look at the company’s vision for the future of cinema in terms of Visuals, Space and Consistency.
       
      ▲ Samsung Onyx was the center of attention at the company’s booth at CinemaCon 2025, the industry’s largest exhibition
       
       
      Visuals — An Out-of-This-World Screen Experience
      Immersion is at the heart of the cinematic experience — a setting designed to transport audiences into the world of the film. Only in an environment free from the everyday distractions such as constant calls, notifications and household chores can viewers fully engage with the story unfolding on the screen.
       
      A true cinematic experience faithfully delivers the filmmaker’s vision, presenting every detail, color and shadow exactly as intended. Onyx brings that vision to reality.
       
      ▲ Pixar’s Inside Out 2 shown on Samsung Onyx, demonstrating the display’s peak brightness and vibrant color accuracy
       
      Onyx, the world’s first cinema LED display certified1 by Digital Cinema Initiatives (DCI), delivers superior picture quality in 4K HDR resolution with vivid colors, deep blacks and infinite contrast. The clarity, precision and rich detail in each frame help give life to the narrative. Gone are the days of poor edge resolution and inconsistent brightness.
       

       
      ▲ Samsung Onyx enhances Pixar’s Lightyear (top) and Soul (bottom) with outstanding contrast, making dark scenes more vivid and immersive
       
      The Onyx screen can lend its brightness and clarity to applications other than movie screenings — live sports, concerts, gaming events and corporate presentations, for example. The ability to host alternative content empowers theaters to diversify their offerings and create new revenue streams without compromising the premium viewing experience.
       
      ▲ A live concert seen on Onyx, demonstrating the display’s color accuracy and sharp details
       

      Space — More Room for Comfort and Flexibility
      Comfort and spatial design are also key factors that set premium cinemas apart. Much like the distinction between economy and business class on an airplane, the seating experience can make or break a theater’s appeal. As theaters evolve into premium auditoriums, spacious, comfortable seating becomes essential.
       
      Onyx helps enable this transformation. Unlike traditional projectors which require separate projection rooms and large setups, Onyx’s cinema LED technology maximizes the available space in a theater. This allows cinemas to optimize their auditorium spaces and provides more flexibility to install specialized seating like larger recliners or dining tables.
       
      Furthermore, new Onyx (ICD) offers flexible scaling options, allowing screens to be customized to fit the dimension of each auditorium, ensuring the best use of space without sacrificing picture quality and comfort.
       
      ▲ Pixar’s Elio screened on Samsung Onyx featuring luxury seating for a premium cinema experience
       
      With Onyx, every seat in the theater offers a reliable high-quality visual experience — no edge distortion or resolution loss — ensuring that the entire audience is fully immersed in the story. The combination of optimized space, enhanced comfort and stunning visuals elevates the overall cinema experience.
       
      ▲ Samsung Onyx empowers theaters to deliver a premium cinema experience and luxury dining for customers.
       
       
      Consistency — Reliable Viewing Quality With Smarter Management Tools
      We go to the theater to be transported — to lose ourselves in the world of a story. But experiences in traditional projection-based theaters can deteriorate with picture quality that varies depending on the age and condition of the equipment.
       
      Samsung’s Cinema LED screen, on the other hand, features an ‘Auto Calibration Solution’ that automatically adjusts color consistency across each module, ensuring optimal picture quality — not just at installation, but every step of the way through ongoing maintenance.
       
      Onyx also offers the industry’s first and longest 10-year warranty for cinema LED,2 raising the bar for long-term reliability in cinema technology.
       
      ▲ Samsung Onyx, an out-of-this-world cinema LED display
       
      Since debuting the world’s first Cinema LED screen in 2017, Onyx has built strong partnerships with major global film studios, earning trust and recognition across the industry. As the leader in Cinema LED technology, Samsung is committed to pushing boundaries — so the magic of the movies is always seen exactly as it was meant to be.
       
      With Samsung Onyx, the future of premium cinema is brighter, clearer and more immersive than ever before.
       
       
      1 Digital Cinema Initiatives (DCI) is a consortium of major film studios established to define specifications for an open architecture in digital cinema systems.
      2 Based on internal research and publicly available information. Onyx includes a standard three-year warranty, with options to extend coverage up to 10 years.
      View the full article





×
×
  • Create New...