Quantcast
Jump to content


Recommended Posts

Posted

2024-11-14-01-banner_v2.jpg

Samsung In-App Purchase (IAP) offers developers a robust solution for handling digital transactions within mobile applications available on Galaxy Store. Whether it is selling digital goods, handling subscriptions, or managing refunds, Samsung IAP is designed to offer a smooth, secure experience. The Samsung IAP Orders API expands the scope of these benefits. You can fetch all the payments and refunds history according to specified dates. This content guides you through the essential components for implementing both the Samsung IAP and Samsung IAP Orders APIs.

undefined
Figure 1: Sample Application UI

In this tutorial, we provide a sample application called Book Spot, which offers users the option to subscribe to their favorite books and consumable items, such as text fonts, for purchase. After purchase, users can consume the item. Finally, developers can view all their payment and refund history on specific dates by calling the Samsung IAP Orders API from the back-end server.

Prerequisites

Before implementing in-app purchases in your app, do the following to enable a smooth and effective execution of the process while developing your own application:

  1. Integrate the Samsung IAP SDK into your application. For more information about the IAP SDK integration, you can follow the Integration of Samsung IAP Services in Android Apps article.
  2. Upload the application for Beta testing on Samsung Galaxy Store. A step-by-step guide with screenshots has been provided in the documentation. For more details, see the section “Production Closed Beta Test” on the Test Guide.
  3. Finally, create items on the Seller Portal so that users can purchase or subscribe to them while using the application. For more details about the available items that the Seller Portal supports, see the Programming Guide.

For the sample application, we have already completed these steps. Some example items were already created in Seller Portal, such as books and fonts so that you can consume and subscribe to them while using this sample application.

Implementation of Item Purchase

Now that the application and items are ready, you can implement the purchase functionality in your application like in the sample below:

  • When clicking "Buy," the startPayment() method is called, specifying parameters for item ID and the OnPaymentListener interface, which handles the results of the payment transaction.
  • The onPayment() callback returns whether the purchase has succeeded or failed. The purchaseVo object is instantiated and in case it is not null, it holds the purchase results.
  • If the purchase is successful, then it validates the purchase showing its ID. If the purchase is not successful, a purchaseError message is shown. For more information, check the Purchase an in-app item section.
iapHelper.startPayment(itemId, String.valueOf(1), new OnPaymentListener() {
    @Override
    public void onPayment(@NonNull ErrorVo errorVo, @Nullable PurchaseVo purchaseVo) {
        if (purchaseVo != null) {
            // Purchase Successful
            Log.d("purchaseId" , purchaseVo.getPurchaseId().toString());
            Toast.makeText(getApplicationContext() ,"Purchase Successfully",
                    Toast.LENGTH_SHORT).show();
        } else {
            Log.d("purchaseError" , errorVo.toString());
            Toast.makeText(getApplicationContext() ,"Purchase Failed",
                    Toast.LENGTH_SHORT).show();
        }
    }
});

Implementation of Item Consumption

After successfully purchasing an item, the user can then consume it. In the sample code below, when "Consumed" is selected, the consumePurchaseItems() triggers the consume functionality. This is necessary as items must be marked as consumed so they can be purchased again:

  • The consumePurchaseItems() method is called specifying the parameters for purchaseId and the OnConsumePurchasedItemsListener() interface, which handles the item data and results.
  • This code also checks if consuming the purchased items succeeded or failed:
    • If the errorVo parameter is not null and there is no error with the purchase, which can be verified with the IAP_ERROR_NONE response code, then the “Purchase Acknowledged” message is displayed.
    • However, if there is an error, the errorVo parameter returns an error description with the getErrorString() getter, along with the “Acknowledgment Failed” message.
iapHelper.consumePurchasedItems(purchaseId, new OnConsumePurchasedItemsListener() {
    @Override
    public void onConsumePurchasedItems(@NonNull ErrorVo errorVo, @NonNull
    ArrayList<ConsumeVo>arrayList) {
        if (errorVo != null && errorVo.getErrorCode() == iapHelper.IAP_ERROR_NONE) {
            Toast.makeText(getApplicationContext() ,"Purchase Acknowledged",
                    Toast.LENGTH_SHORT).show();
        } else {
            Toast.makeText(getApplicationContext(), "Acknowledgment Failed: " +
                            errorVo.getErrorString(), Toast.LENGTH_SHORT).show();
        }
    }
});

Implementation of Item Subscription

Besides purchasing and consuming items, you can also subscribe to them in your applications. Similar to the validation done for the consumable item purchase, you validate the subscription with a purchase ID if the purchase is successful. Use the same code snippet specified for “Item Purchase.” For more information, check the Implementation of Item Purchase section.

Implementation of the Samsung IAP Orders API

The Samsung IAP Orders API is used to view all payments and refunds on a specific date. It does this by fetching the payments and refunds history within the date you specified. Let’s implement the Samsung IAP Orders API and create a server to listen to its notifications. Through server-to-server communication, the API returns all orders data for the application.

Configuring the Server

You can develop a Spring Boot server for this purpose. Here are the guidelines on how to set up this server:

  1. Set up a Spring Boot Project. For more information, follow the steps on Developing Your First Spring Boot Application.
  2. Set up your server endpoint:
    • Create a controller for the Samsung IAP Orders API in an integrated development environment (IDE) after importing the Spring Boot project you created. This helps managing all in-app order-related activities and processing them within your application.

    • The controller receives POST requests sent from Samsung’s IAP orders service ensuring the communication with your application.

Get Payment and Refund History

To view all payments and refunds:

  1. You must make a POST request to the Samsung IAP Orders API endpoint with the required headers specified below.
  2. If you specify a date, all the payment history for this date is returned. Otherwise, it only returns all the data from the day before the current date.

API Endpoint: https://devapi.samsungapps.com/iap/seller/orders

Method: POST

Headers:

Add the following fields to the request header. For more information, see the Create an Access Token page, which helps you understand how to create the access token in detail. The token is used for authorization. You can also get the Service Account ID by clicking the Assistance > API Service tabs on Seller Portal. For more details, read the section Create a service account and visit Seller Portal.

Header Name

Description

Required/Optional

Values

Content-Type

Format of the request body

Required

application/json

Authorization

Authorization security header

Required

Bearer: access_token

Service Account ID

This ID can be created in Seller Portal and is used to generate the JSON Web Token (JWT)

Required

service-account-id

Parameters:

The following parameters can be used to build your POST request.

Name

Type

Required/Optional

Description

sellerSeq

String

Required

Your seller deeplink, which is found in your profile in Seller Portal and consists of a 12-digit number.

packageName

String

Optional

Used to view payment and refund data. You can provide the application package name. When a package name is not specified, the data for all applications is shown.

requestDate

String

Optional

Specify a date from which to view the payment and refund data. If the date is not specified, the data from a day before your current date is returned.

continuationToken

String

Optional

Use this if you want to check if there is a continuation for the data on the next page. If there is no more data, the response is null.

To implement REST API support, add the following OkHttp library dependencies to your application's build.gradle file:

implementation 'com.squareup.okhttp3:okhttp: version'
implementation 'com.google.code.gson:gson: version'

A detailed description of the request items can be found in the Request section of the Samsung IAP Orders API documentation. For more information on the server communication, see Samsung IAP Server API. Here is a brief summary of the code below:

  1. A POST request is mapped to the /orders URL, which logs the request.
  2. The previously described parameters containing the data you specified are formatted in a JSON body using the String.format() method.
  3. The outgoing request is logged in a JSON body format.
  4. A RequestBody is instantiated containing the JSON data, formatted for an HTTP request to be sent to the server with the specified token and Service Account ID.
  5. This code also handles multiple results your request can return:
    • The onFailure() method is called when the network request fails for some reason, providing any error details using the IOException exception.
    • If the request succeeds, the onResponse() method returns the response body or any response exception found.
@RestController
@RequestMapping(value = "/iap", method = RequestMethod.POST)
public class OrdersController {

    private final OkHttpClient client = new OkHttpClient();

    @GetMapping("/orders")
    public void sendToServer() {
        System.out.println("POST request received"); // Log the request

        // Define parameters values, use according to your requirement

        // String packageName = "com.example.app_name ";
        // String requestDate = "20240615";
        // String continuationToken = "XXXXXXXXXXX…….XXXXXX";

        String sellerSeq = "0000000XXXXX";

      

        // Create the JSON body, use packageName, requestDate, continuationToken according to your requirement
        String jsonBody = String.format(
                "{\"sellerSeq\":\"%s\"}",
                sellerSeq   
        );


        // Create the request body
        RequestBody body = RequestBody.create(jsonBody, MediaType.parse("application/json;     charset=utf-8"));

        // Access token 
        String token = "0DjT9yzrYUKDoGbVUlXXXXXX";

        // Build the request
        Request request = new Request.Builder()
                .url("https://devapi.samsungapps.com/iap/seller/orders")
                .post(body)
                .addHeader("Authorization","Bearer " + token)
                .addHeader("service-account-id", "85412253-21b2-4d84-8ff5-XXXXXXXXXXXX")
                .addHeader("content-type", "application/json")
                .build();

        client.newCall(request).enqueue(new Callback() {
            @Override
            public void onFailure(@NotNull Call call, @NotNull IOException e) {
                System.err.println("Request failed: " + e.getMessage());
            }

            @Override
            public void onResponse(@NotNull Call call, @NotNull Response response) throws IOException {
                if (response.isSuccessful()) {
                    String responseBody = response.body().string();
                    System.out.println("Response: " + responseBody);
                } else {
                    System.err.println("Unexpected response code: " + response.code());
                    System.err.println("Response body: " + response.body().string());
                }
                response.close(); // Close the response body
            }
        });
    }
}

Congratulations! You have just built the Spring Boot server to handle API POST requests using the OkHttpClient to manage HTTP requests and responses for your sample application.

Example Response

As previously mentioned, a JSON-formatted response is returned to your request. For detailed descriptions of each response body element, see the “Response” section of the Samsung IAP Orders API documentation. The following output format is a sample in which only some of the response-body data is presented.

  • In this case, the continuationToken parameter key returns null because there is no continuation for the data on the next page.
  • The orderItemList parameter key lists all the orders with specific details, such as orderId, countryId, packageName, among others.
{
  "continuationToken": null,
  "orderItemList": [
    {
      "orderId": "S20230210KR019XXXXX",
      "purchaseId": "a778b928b32ed0871958e8bcfb757e54f0bc894fa8df7dd8dbb553cxxxxxxxx",
      "contentId": "000005059XXX",
      "countryId": "USA",
      "packageName": "com.abc.xyz"
    },
    {
      "orderId": "S20230210KR019XXXXX",
      "purchaseId": "90a5df78f7815623eb34f567eb0413fb0209bb04dad1367d7877edxxxxxxxx",
      "contentId": "000005059XXX",
      "countryId": "USA",
      "packageName": "com.abc.xyz"
    },
  ]
}

Usually, the responses contain all the relevant information about user purchases, such as the in-app item title, price, and payment status. Therefore, you can use the information and create views for an easier order management.

Conclusion

You have learned how to implement item purchase, consumption, and registration, as well as how to integrate the Samsung IAP Orders API and configure a server to fetch all the payment and refund history within specific dates.

Integrating the Samsung IAP Orders API functionality into your server is an essential step in managing your application payments history to ensure a seamless experience to users. Now, you can implement the Samsung IAP Orders API into your application to track all payments, refunds and make your business more manageable.

For additional information on this topic, see the resources below:

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...