Quantcast
Jump to content


Recommended Posts

Posted

2021-06-21-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 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. I have already provided information about ‘maintenance extensions’. However, another important extension that I explore in this blog is ‘legacy support extensions’.

Vulkan is increasingly being used as a portable “HAL”. The power and flexibility of the API allows for great layered implementations. There is a lot of effort spent in the ecosystem enabling legacy graphics APIs to run efficiently on top of Vulkan. The bright future for driver developers is a world where GPU drivers only implement Vulkan, and where legacy APIs can be implemented on top of that driver.

To that end, there are several features which are generally considered backwards today. They should not be used in new applications unless absolutely required. These extensions exist to facilitate old applications which need to keep running through API translation layers such as ANGLE, DXVK, Zink, and so on.

VK_EXT_transform_feedback

Speaking the name of this extension causes the general angst level to rise in a room of driver developers. In the world of Direct3D, this feature is also known as stream-out.

The core feature of this extension is that whenever you render geometry, you can capture the resulting geometry data (position and vertex outputs) into a buffer. The key complication from an implementation point of view is that the result is ordered. This means there is no 1:1 relation for input vertex to output data since this extension is supposed to work with indexed rendering, as well as strip types (and even geometry shaders and tessellation, oh my!).

This feature was invented in a world before compute shaders were conceived. The only real method to perform buffer <-> buffer computation was to make use of transform feedback, vertex shaders and rasterizationDiscard. Over time, the functionality of Transform Feedback was extended in various ways, but today it is essentially obsoleted by compute shaders.

There are, however, two niches where this extension still makes sense - graphics debuggers and API translation layers. Transform Feedback is extremely difficult to emulate in the more complicated cases.

Setting up shaders

In vertex-like shader stages, you need to set up which vertex outputs to capture to a buffer. The shader itself controls the memory layout of the output data. This is unlike other APIs, where you use the graphics API to specify which outputs to capture based on the name of the variable.

Here is an example Vulkan GLSL shader:

#version 450

layout(xfb_stride = 32, xfb_offset = 0, xfb_buffer = 0, location = 0)
out vec4 vColor;
layout(xfb_stride = 32, xfb_offset = 16, xfb_buffer = 0, location = 1)
out vec4 vColor2;

layout(xfb_buffer = 1, xfb_stride = 16) out gl_PerVertex {
    layout(xfb_offset = 0) vec4 gl_Position;
};

void main()
{
	gl_Position = vec4(1.0);
	vColor = vec4(2.0);
	vColor2 = vec4(3.0);
}

The resulting SPIR-V will then look something like:

Capability TransformFeedback
ExecutionMode 4 Xfb
Decorate 8(gl_PerVertex) Block
Decorate 10 XfbBuffer 1
Decorate 10 XfbStride 16
Decorate 17(vColor) Location 0
Decorate 17(vColor) XfbBuffer 0
Decorate 17(vColor) XfbStride 32
Decorate 17(vColor) Offset 0
Decorate 20(vColor2) Location 1
Decorate 20(vColor2) XfbBuffer 0
Decorate 20(vColor2) XfbStride 32
Decorate 20(vColor2) Offset 16

Binding transform feedback buffers

Once we have a pipeline which can emit transform feedback data, we need to bind buffers:

vkCmdBindTransformFeedbackBuffersEXT(cmd,
firstBinding, bindingCount,
pBuffers, pOffsets, pSizes);

To enable a buffer to be captured, VK_BUFFER_USAGE_TRANSFORM_FEEDBACK_BUFFER_BIT_EXT is used.

Starting and stopping capture

Once we know where to write the vertex output data, we will begin and end captures. This needs to be done inside a render pass:

vkCmdBeginTransformFeedbackEXT(cmd,
	firstCounterBuffer, counterBufferCount,
	pCounterBuffers, pCounterBufferOffsets);

A counter buffer allows us to handle scenarios where we end a transform feedback and continue capturing later. We would not necessarily know how many bytes were written by the last transform feedback, so it is critical that we can let the GPU maintain a byte counter for us.

vkCmdDraw(cmd, …);
vkCmdDrawIndexed(cmd, …);

Then we can start rendering. Vertex outputs are captured to the buffers in-order.

vkCmdEndTransformFeedbackEXT(cmd,
	firstCounterBuffer, counterBufferCount,
	pCounterBuffers, pCounterBufferOffsets);

Once we are done capturing, we end the transform feedback and, with the counter buffers, we can write the new buffer offsets into the counter buffer.

Indirectly drawing transform feedback results

This feature is a precursor to the more flexible indirect draw feature we have in Vulkan, but there was a time when this feature was the only efficient way to render transform feedbacked outputs. The fundamental problem is that we do not necessarily know exactly how many primitives have been rendered. Therefore, to avoid stalling the CPU, it was required to be able to indirectly render the results with a special purpose API.

vkCmdDrawIndirectByteCountEXT(cmd,
	instanceCount, firstInstance,
	counterBuffer, counterBufferOffset,
	counterOffset, vertexStride);

This works similarly to a normal indirect draw call, but instead of providing a vertex count, we give it a byte count and let the GPU perform the divide instead. This is nice, as otherwise we would have to dispatch a tiny compute kernel that converts a byte count to an indirect draw.

Queries

The offset counter is sort of like a query, but if the transform feedback buffers overflow, any further writes are ignored. The VK_QUERY_TYPE_TRANSFORM_FEEDBACK_STREAM_EXT queries how many primitives were generated. It also lets you query how many primitives were attempted to be written. This makes it possible to detect overflow if that is desirable.

VK_EXT_line_rasterization

Line rasterization is a tricky subject and is not normally used for gaming applications since they do not scale with resolution and their exact behavior is not consistent across all GPU implementations.

In the world of CAD, however, this feature is critical, and older OpenGL APIs had extensive support for quite fancy line rendering methods. This extension essentially brings back those workstation features. Advanced line rendering can occasionally be useful for debug tooling and visualization as well.

The feature zoo

typedef struct VkPhysicalDeviceLineRasterizationFeaturesEXT {
	VkStructureType sType;
	void*          		pNext;
	VkBool32       rectangularLines;
	VkBool32       bresenhamLines;
	VkBool32       smoothLines;
	VkBool32       stippledRectangularLines;
	VkBool32       stippledBresenhamLines;
	VkBool32       stippledSmoothLines;
} VkPhysicalDeviceLineRasterizationFeaturesEXT;

This extension supports a lot of different feature bits. I will try to summarize what they mean below.

Rectangular lines vs parallelogram

When rendering normal lines in core Vulkan, there are two ways lines can be rendered. If VkPhysicalDeviceLimits::strictLines is true, a line is rendered as if the line is a true, oriented rectangle. This is essentially what you would get if you rendered a scaled and rotated rectangle yourself. The hardware just expands the line along the perpendicular axis of the line axis.

In non-strict rendering, we get a parallelogram. The line is extended either in X or Y directions.

(From Vulkan specification)

Bresenham lines

Bresenham lines reformulate the line rendering algorithm where each pixel has a diamond shaped area around the pixel and coverage is based around intersection and exiting the area. The advantage here is that rendering line strips avoids overdraw. Rectangle or parallelogram rendering does not guarantee this, which matters if you are rendering line strips with blending enabled.

(From Vulkan specification)

Smooth lines

Smooth lines work like rectangular lines, except the implementation can render a little further out to create a smooth edge. Exact behavior is also completely unspecified, and we find the only instance of the word “aesthetic” in the entire specification, which is amusing. This is a wonderfully vague word to see in the Vulkan specification, which is otherwise no-nonsense normative.

This feature is designed to work in combination with alpha blending since the smooth coverage of the line rendering is multiplied into the alpha channel of render target 0’s output.

Line stipple

A “classic” feature that will make most IHVs cringe a little. When rendering a line, it is possible to mask certain pixels in a pattern. A counter runs while rasterizing pixels in order and with line stipple you control a divider and mask which generates a fixed pattern for when to discard pixels. It is somewhat unclear if this feature is really needed when it is possible to use discard in the fragment shader, but alas, legacy features from the early 90s are sometimes used. There were no shaders back in those days.

Configuring rasterization pipeline state

When creating a graphics pipeline, you can pass in some more data in pNext of rasterization state:

typedef struct VkPipelineRasterizationLineStateCreateInfoEXT {
	VkStructureType    sType;
	const void*             pNext;
	VkLineRasterizationModeEXT lineRasterizationMode;
	VkBool32                stippledLineEnable;
	uint32_t                   lineStippleFactor;
	uint16_t                   lineStipplePattern;
} VkPipelineRasterizationLineStateCreateInfoEXT;

typedef enum VkLineRasterizationModeEXT {
    VK_LINE_RASTERIZATION_MODE_DEFAULT_EXT = 0,
    VK_LINE_RASTERIZATION_MODE_RECTANGULAR_EXT = 1,
    VK_LINE_RASTERIZATION_MODE_BRESENHAM_EXT = 2,
    VK_LINE_RASTERIZATION_MODE_RECTANGULAR_SMOOTH_EXT = 3,
} VkLineRasterizationModeEXT;

If line stipple is enabled, the line stipple factors can be baked into the pipeline, or be made a dynamic pipeline state using VK_DYNAMIC_STATE_LINE_STIPPLE_EXT.

In the case of dynamic line stipple, the line stipple factor and pattern can be modified dynamically with:

vkCmdSetLineStippleEXT(cmd, factor, pattern);

VK_EXT_index_type_uint8

In OpenGL and OpenGL ES, we have support for 8-bit index buffers. Core Vulkan and Direct3D however only support 16-bit and 32-bit index buffers. Since emulating index buffer formats is impractical with indirect draw calls being a thing, we need to be able to bind 8-bit index buffers. This extension does just that.

This is probably the simplest extension we have look at so far:

vkCmdBindIndexBuffer(cmd, indexBuffer, offset, VK_INDEX_TYPE_UINT8_EXT);
vkCmdDrawIndexed(cmd, …);

Conclusion

I have been through the 'maintenance' and 'legacy support' extensions that are part of the new Vulkan extensions for mobile. In the next three blogs, I will go through what I see as the 'game-changing' extensions from Vulkan - the three that will help to transform your games during the development process.

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 today unveiled its new AI-powered Interactive Display (WAFX-P model) at Bett 2025, Europe’s largest education technology exhibition. Through Samsung AI Assistant, the education-focused display combines advanced hardware and cutting-edge AI capabilities to create smarter learning environments that are more engaging and collaborative.
       
      “Samsung envisions a future where every classroom benefits from the transformative power of AI. By integrating advanced tools like generative AI and real-time transcription into our classroom displays with Samsung AI Assistant, we are not just enhancing learning — we are revolutionizing it,” said Hoon Chung, Executive Vice President of the Visual Display Business at Samsung Electronics. “We are committed to creating technology that inspires educators and students to explore, discover and grow together.”
       
       
      Transforming Classrooms With Samsung AI Assistant
      Samsung AI Assistant is a new educational solution built to adapt, engage and transform learning for the next generation. This dedicated teaching solution equips educators with intelligent, intuitive tools to organize lessons and transform traditional teaching into dynamic, interactive experiences that maximize learning outcomes.
       
      Samsung AI Assistant includes several innovative educational tools:
       
      Circle to Search instantly delivers search results from trusted sources when users simply circle on-screen images or text, making exploration during class effortless. AI Summary creates concise lesson recaps automatically, making lesson planning easier for teachers and simplifying post-class reviews for students. Live Transcript converts spoken words into text in real time for students to revisit and reinforce their classroom lessons.  

       
       
      Expanding Educational Opportunities Through Global Partnerships
      Samsung also plans to expand its AI services in the education market through partnerships with global AI companies.
       
      In collaboration with Google, Samsung aims to develop diverse and powerful AI scenarios for fostering digital classrooms of the future.
       
      The WAFX-P is Google EDLA-certified,1 as well, providing seamless access to services like Google Classroom and Google Drive, which further enrich the educational experience. With these features, Samsung’s AI Interactive Display acts as a powerful teaching assistant, fostering exploration and collaboration.
       
       
      Advanced Technology for AI-Powered Learning
      With 65”, 75” and 86” options, the full WAFX-P lineup supports powerful AI capabilities, with advanced hardware to deliver a seamless user experience. A neural processing unit (NPU) capable of performing up to 4.8 trillion operations per second ensures smooth operation of its AI features. Additional specifications include 16GB of RAM, 128GB of SSD storage and an octa-core CPU, collectively enabling efficient multitasking and resource-heavy educational applications. Its 450-nit max brightness, built-in 4K camera, microphone and 20-watt speaker create an immersive, multimedia-ready environment for video conferencing and collaborative learning.
       

       
      The WAFX-P is a versatile interactive display powered by Android 15 that includes software features to organize and maximize learning outcomes. Smart Note-On allows seamless transitions between handwriting and digital content, and File Converter simplifies the conversion of various file formats to enhance the display’s functionality and streamline workflows.
       
       
      Samsung’s Commitment to Long-Term Support
      In line with its commitment to empowering education, Samsung will continue to support its previous-generation displays, ensuring that the 2024 WAF series remains compatible with the new AI-based, interactive functionalities. This approach underscores the company’s commitment to delivering enduring value and innovation to educational institutions worldwide.
       
      Samsung looks forward to seeing its peers, customers and partners in person at booth #NE20 at Bett 2025. To learn more about Samsung’s interactive displays, please visit http://samsung.com.
       
       
      1 Enterprise Devices Licensing Agreement, a program Google introduced at the end of 2022 to help solutions providers offer devices with built-in Google Mobile Services.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics today announced a partnership with game developers Nexon Korea and Neople to deliver unparalleled 3D experiences in the upcoming game ‘The First Berserker: Khazan.’ The game’s 3D elements are being specially customized and designed during development, utilizing Samsung technology and the advanced capabilities of the Odyssey 3D monitor to create an immersive 3D gaming experience.
       
      Through this partnership, Nexon, Neople and Samsung have been working closely to tailor the 3D visuals, carefully adjusting them based on the composition of characters, backgrounds and cinematics throughout the game. This process gives the developers an unprecedented level of control over the 3D effects, enabling them to bring their creative visions to life with precision.
       
      “The partnership between Samsung and Nexon will provide an unmatched gaming experience with ‘The First Berserker: Khazan’ on the Odyssey 3D monitor,” said Yongjae Kim, Executive Vice President of the Visual Display Business at Samsung Electronics. “We’ll continue to expand partnerships with premium gaming companies across the globe to deliver 3D gaming technology that provides the highest level of gaming immersion.”
       
      By fine-tuning the focal distance for 3D effects on a case-by-case basis, Nexon and Neople aim to develop specific scenarios that determine when and how elements become 3D. These efforts reduce crosstalk — a common issue causing visual overlap — while enhancing the clarity of epic boss battles and cinematic cutscenes.
       
      “This partnership marks a significant step in establishing a competitive 3D gaming model on a global scale, driving innovation across the whole industry,” said Choi Sung-wook, head of the publishing live division at Nexon. “We are excited for gamers worldwide to experience the vibrant graphics and intricate gameplay of ‘The First Berserker: Khazan,’ made possible by the cutting-edge technologies available to our developers and the industry-leading Samsung Odyssey gaming monitor.”
       
      ‘The First Berserker: Khazan’ is a hardcore action RPG (role playing game) where players experience Khazan’s legendary journey firsthand, immersing themselves in the world of Nexon’s leading franchise — the Dungeon & Fighter Universe. The game is set for global release on March 28 KST.
       
      The Odyssey 3D, unveiled at CES 2024 and recognized with the prestigious Best of Innovation award, will launch worldwide in April, delivering groundbreaking 3D technology that elevates gaming for players globally.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics, a global leader in display technology, today announced it will showcase its highly anticipated 2025 hotel TV lineup at Integrated Systems Europe (ISE) 2025 in Barcelona. The new lineup combines sophisticated designs, cutting-edge in-room entertainment features and a unified platform, reinforcing Samsung’s commitment to redefining the premium hotel experience.
       
      “Our 2025 hotel TV lineup is designed to elevate the guest experience with personalization at its core,” said Hoon Chung, Executive Vice President of Visual Display Business at Samsung Electronics. “Hotels can customize their room’s ambiance with The Frame’s Art Mode, offer seamless streaming with Apple Airplay and the newly added Google Cast, and enable convenient control of the room environment through SmartThings Pro, all tailored to individual guest preferences.”
       
       
      Redefining Hotel Aesthetics With The Frame

      Samsung’s 2025 lineup introduces the award-winning The Frame (model name HL03F)1 as a hotel TV, bringing stunning 4K QLED picture quality with vivid colors, deep contrasts and lifelike visuals to every room, all while maintaining a sleek and sophisticated design that transforms interiors. With its innovative Art Mode, The Frame allows hotel managers to customize guest rooms and surroundings by displaying a curated selection of modern or classic artwork — or even other tailored images such as hotel-branded visuals — when the TV is not in use.
       
      Combined with an Anti-Reflection Matte Display that limits light interference and a Slim-Fit Wall Mount that enables the TV to sit flush against the wall like a true art piece, The Frame elevates hotel aesthetics with a unique blend of luxury and personalization.
       
      As the official visual display sponsor of Art Basel, The Frame reflects Samsung’s dedication to combining cutting-edge technology with timeless design. Its introduction sets a new benchmark for hotels seeking to deliver a refined, personalized and visually captivating experience for their guests.
       
       
      Enhancing Guest Experiences With Google Cast for Seamless Streaming
      ▲ Google Cast is a trademark of Google LLC.
       
      Samsung’s 2025 hotel TV lineup, along with the 2024 HBU8000, takes in-room entertainment to the next level by supporting Google Cast2 for secure, seamless, in-room streaming. Guests will be able to easily cast their favorite content directly from their Android and iOS devices to the TV without the need for additional dongles or login requirements. The connection process is quick and straightforward, utilizing QR codes for instant pairing.
       
      “We’re thrilled to bring Google Cast to Samsung TVs, extending the convenience of seamless content sharing to both hospitality and consumer models,” said Tiger Lan, Google’s Senior Director of engineering for multi-device experiences. “Whether guests are enjoying their favorite shows and playlists on hotel TVs or streaming effortlessly at home, this collaboration ensures users have reliable, personalized access to their content wherever they are.”
       
      The lineup also supports Apple AirPlay,3 allowing hotel guests to securely connect their iOS and iPadOS devices to the TVs in their rooms for an effortless streaming experience.

       
      Unlike traditional systems, both Apple Airplay and Google Cast can be used independently of third-party system integrator (SI) requirements, simplifying installation for hotels and reducing infrastructure demands. Furthermore, Samsung ensures robust privacy by ensuring that no personal information or device pairing data is stored, giving guests complete peace of mind during their stay.
       
       
      Streamlining Hotel Operations With a Connected Ecosystem
      Samsung’s 2025 hotel TV lineup introduces a fully connected ecosystem designed to enhance operations and elevate guest experiences. With Tizen 9.0, guests benefit from an intuitive and seamless interface that simplifies access to streaming apps, smart room controls and personalized services, creating a more enjoyable and connected stay.
       
      For hotel operators, LYNK Cloud offers a powerful cloud-based solution that combines customizable content delivery, remote device management and over-the-top (OTT) entertainment. Equipped with an e-commerce platform, it enables guests to perform service interactions such as ordering room service, booking hotel amenities and accessing a digital concierge. Simultaneously, hotel managers gain valuable insights to personalize guest content and deploy targeted promotions across rooms or properties globally, driving operational efficiency and guest satisfaction.
       
      SmartThings Pro further strengthens IoT connectivity by enabling secure and centralized control of Samsung Hospitality TVs, Smart Signage, air conditioning systems and more. With a scalable dashboard and customizable application programming interfaces (APIs), SmartThings Pro allows hotel IT teams to monitor performance, manage devices across multiple units and seamlessly integrate with existing systems.
       
       
      1 The functionality of The Frame in the hotel TV lineup may vary from the consumer version.
      2 Google Cast is a trademark of Google LLC. Google Cast supports Android 6 and above, and iOS 14 and above. Availability may vary by device, software version and region.
      3 AirPlay is compatible with iOS 11, iPadOS 13, macOS Mojave 10.14 and later versions. Availability may vary by device, software version and region.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics today introduced its latest advancements in home audio technology with the new Q-series (HW-Q990F and HW-QS700F) soundbars These flagship models combine state-of-the-art hardware with intelligent AI-driven features, designed to elevate home entertainment with unparalleled sound
       
      “Our new soundbars combine exceptional audio quality with seamless convenience,” said Hun Lee, Executive Vice President of the Visual Display Business at Samsung Electronics. “With advanced AI technology in the HW-Q990F and the HW-QS700F’s innovative convertible design, these soundbars effortlessly adapt to any environment, delivering an immersive and personalized audio experience for every user.”
       
       
      HW-Q990F: Redefining Flagship Audio Performance

       
      As the successor to the highly acclaimed HW-Q990D, the HW-Q990F takes home audio to new heights. It features newly engineered dual active subwoofers that deliver robust bass and ultra-low-frequency precision. Plus, a new cube design reduces the subwoofers to half the size of its predecessor, minimizing resonance and blending flawlessly into modern interiors with a refined serrated finish.
       

       
      The HW-Q990F also delivers advanced AI-driven sound optimization through features such as:
       
      Dynamic Bass Control: Enhances clarity in low-frequency ranges by utilizing non-linear bass management for balanced and distortion-free sound. Q-Symphony: Immerses the user in 3D surround sound by detecting the position of wireless speakers like the Music Frame and automatically optimizing audio effects based on its distance and angle. Active Voice Amplifier Pro: Provides real-time content analysis that reduces background noise and emphasizes dialogue for an enhanced viewing experience.  
      Additionally, the HW-Q990F utilizes the Samsung TV’s Neural Processing Unit (NPU) in Q-Symphony mode, making dialogue clearer and delivering more immersive, synchronized audio.
       
       
      HW-QS700F: Versatility Meets Elegance and Superior Sound

       
      The HW-QS700F offers even more versatility in home audio with its sleek design and innovative gyro-sensor technology. Suitable for both wall-mounted and tabletop setups, this soundbar adapts to the user’s space. Its built-in gyro-sensor can automatically detect whether it’s positioned vertically or horizontally, fine-tuning the audio output to ensure optimal clarity and immersive sound in any configuration.
       

       
      With its slim, modern profile, the HW-QS700F integrates into any room. Its adaptive design offers flexibility without compromising style, making it the perfect companion for a cinematic wall-mounted display or a minimalist tabletop setup. This soundbar delivers an audio experience as sophisticated as its design — ideal for users who demand both elegance and performance.
       
      For more information, visit Samsung.com.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics announced today that its Neo QLED and Lifestyle TVs have been awarded EyeCare Circadian certification by Verband Deutscher Elektrotechniker (VDE), a leading electrical engineering certification institute in Germany. This achievement highlights Samsung’s commitment to developing technology that supports natural circadian rhythms, promoting well-being and visual comfort.
       
      “This certification underscores our dedication to creating products that elevate the user experience by prioritizing eye comfort and reducing visual strain, all while delivering exceptional picture quality,” said Taeyong Son, Executive Vice President of Visual Display Business at Samsung Electronics. “We will continue to drive innovations that anticipate and adapt to users’ evolving needs, offering both immersive entertainment and sustainable long-term comfort.”
       
      The certification covers major models across the Neo QLED and Lifestyle lineups, including The Frame and The Serif. Six critical criteria are evaluated when determining when a product is fit for certification: Safety for Eyes, Gentle to the eyes, Flicker Level, Uniformity, Color Fidelity and Circadian Stimulus (CS) index — a framework designed to assess visual comfort and circadian rhythm alignment.
       
      Central to Samsung’s achievement is EyeComfort Mode, which automatically adjusts luminance and color temperature based on time of day and ambient lighting conditions. By simulating natural light patterns, the mode reduces strain during daytime viewing and fosters a restful nighttime environment, aligning with the body’s natural rhythms.
       
      This certification adds to a series of recognitions for Samsung TVs, highlighting their user-centric products and features. The Neo QLED series previously earned VDE’s Circadian Rhythm Display certification, while Samsung’s Lifestyle TVs received Glare-Free verification from Underwriters Laboratories (UL) for reducing visual strain. Additionally, for their exceptional color accuracy, Samsung TVs are Pantone Validated.
      View the full article





×
×
  • Create New...