Quantcast
Jump to content


Recommended Posts

Posted

2020-01-20-01-banner.png

Last June, Samsung introduced Samsung Blockchain Keystore (SBK), a secure built-in cold wallet in Galaxy devices. The cold wallet is isolated with Samsung Knox and encapsulated within a defense-grade Trusted Execution Environment (TEE). The Samsung Blockchain Keystore SDK enables use of this wallet in Android applications.

In this article, we discuss how to optimize the address fetching process with seed hash. Fetching addresses from the Samsung Blockchain Keystore using the SDK is time-consuming, so this blog will help you learn how to store your seed hash values to avoid delays in fetching information whenever you launch your app.

The Samsung Blockchain Keystore (SBK) SDK enables users to get blockchain public addresses from the Samsung Blockchain Keystore and sign a cryptocurrency transaction to authenticate. A public address is the hashed version of the public key and is used to recognize a blockchain cryptocurrency account. As the blockchain protocol goes, anyone can fetch the balance and transaction history of an account with its public address.

Developers can invoke the getAddressList() API of the SBK SDK to fetch the address list. Every time this API is called with the same request, you get the same address list. A change to the list occurs only when the wallet's root seed has been changed. The Programming Guide: API Flow and Use Cases provides more detailed information.

Seed hash

The SDK uses the term Seed Hash (see Figure 1, inside the green rectangle).

Figure 1 Figure 1: SBK SDK API flow and use case

The SDK Glossary says:

Seed Hash: A pseudo seed hash that is generated randomly when the HD wallet is created. If the master seed of a wallet is changed, the seed hash will be changed as well.

The getSeedHash() API gets the current seed hash from the Samsung Blockchain Keystore. Fetching the address list from the Samsung Blockchain Keystore using the SBK SDK initiates an expensive operation that requires a considerable amount of time. To provide the user with a seamless experience, the SBK SDK programming guide recommends that developers store information from the getSeedHash() API. Developers then need to invoke the getAddressList() API only when the stored seed hash is different from the seed hash fetched using the SBK SDK.

Prerequisites

Before you begin, be sure you've met these prerequisites:

Store the seed hash

I recommend using Android SharedPreferences to store the seed hash. Remember, the seed hash value is not sensitive data; it's not the wallet's root seed itself. It's a hash value generated to keep track of change in the wallet. Because high-level security is not a concern, and when you have a relatively small collection of key values that you'd like to save, SharedPreferences is an easily implemented solution.

All you need to do is get the SharedPreferences file and then read and write key-value pairs on it. If you prefer another method of storing data, you can select any one of the methods described in the Android: Data and file storage overview.

The following code snippet refers to SharedPreferences:

private static final String seedHashKey = "seed\_hash";
private static final String defaultSeedHashValue = "";
private static SharedPreferences mSharedPreference;

mSharedPreference = getActivity().getPreferences(Context.MODE\_PRIVATE);

public static String getSeedHash() {
    return mSharedPreferences.getString(
                                 seedHashKey, defaultSeedHashValue);
}
public static void setSeedHash(String seedHash) {
        SharedPreferences.Editor editor = mSharedPreferences.edit();
        editor.putString(seedHashKey, seedHash);
        editor.commit();
    }
}

//Fetch SeedHash from SBK and Store on Share Preference
String seedHashSDK = ScwService.getInstance().getSeedHash();
setSeedHash(seedHashSDK);

Get the address list from the Samsung Blockchain Keystore

The getAddressList() API of the SBK SDK requires the HD path list and callback function parameters.

  • HD path list parameter: An ArrayList, a list of strings in which every string denotes an HD path. See Understanding Keystore > Key Management for more information.
  • Callback function parameter: A callback function of type ScwService.ScwGetAddressListCallback. The address fetching method is performed asynchronously, once the completed onSuccess() or onFailure() method is invoked. onSuccess() holds the required address list as a List, whereas onFailure() holds the error code.

The following code snippet retrieves four addresses at one time:

private ScwService.ScwGetAddressListCallback mScwGetAddressListCallback =
new ScwService.ScwGetAddressListCallback() {
    @Override
    public void onSuccess(List<String> addressList) {
        Log.i(Util.LOG\_TAG,
                       "Accounts fetched from SDK Successfully.");
    }
    @Override
    public void onFailure(int errorCode) {
     // Error Codes Doc:
     // https://img-developer.samsung.com/onlinedocs/blockchain/keystore/
        Log.e(Util.LOG\_TAG,
              "Fetch Accounts Failure. Error Code: " + errorCode);
    }
};

public void getPublicAddress(ArrayList<String> hdPathList) {
    mScwService.getAddressList(
              mScwGetAddressListCallback, hdPathList);
}
ArrayList hdPathList = new ArrayList<>();
hdPathList.add(ScwService.getHdPath(ScwCoinType.ETH, 0));       //m/44'/60'/0'/0/0
hdPathList.add(ScwService.getHdPath(ScwCoinType.ETH, 1));       //m/44'/60'/0'/0/1
hdPathList.add(ScwService.getHdPath(ScwCoinType.ETH, 2));       //m/44'/60'/0'/0/2
hdPathList.add(ScwService.getHdPath(ScwCoinType.ETH, 3));       //m/44'/60'/0'/0/3

//  BTC -> "m/44'/0'/0'/0/0";

getPublicAddress(hdPathList);

Representation

For an Accounts info demonstration, I've used Android's RecyclerView. For detailed information, see Create a List with RecyclerView and this android recyclerview example.

Figure 1 Figure 1 Figure 2: Fetching an address list from the Samsung Blockchain Keystore

Store address information on an application database

Once you have fetched the required addresses from the Samsung Blockchain Keystore, design your mechanism to store this information. Let’s look at requirements at this stage:

  • Storage for account information: Accounts presented at app launch have to remain consistent on subsequent app launches, unless the wallet has been changed.
  • Provide users with a seamless experience: Information should not be fetched from Samsung Blockchain Keystore using SDK every time the app launches, because it causes delays.

This leads us to Android Room. Room provides an abstraction layer over SQLite to allow fluent database access while harnessing the full power of SQLite.

The three major Room components are:

  • Database: Contains the database holder
  • Entity: Represents a table within the database.
  • DAO interface: Contains the methods used for accessing the database.

For more information about Android Room, see the documentation, blogs, and samples.

Database

Database class extends the RoomDatabase and builds the required database file.

@Database(entities = {AccountModel.class}, version = 1)
public abstract class AccountsDB extends RoomDatabase {

    private static AccountsDB accountsDB;
    public abstract IAccountsDAO iAccountsDAO();

    public static AccountsDB getInstance(Context context) {
        if (accountsDB == null || !accountsDB.isOpen()) {
            accountsDB = Room.databaseBuilder
                       (context, AccountsDB.class, Util.DB\_NAME)
                                                         .build();
        }
        return accountsDB;
    }
}

Entity

Here, we have declared our Model Class as a Room Entity using annotations. Room converts “the members of the class” to “columns of the table,” reducing boilerplate code.

@Entity
public class AccountModel {
    // accountID used as primary key & indexing, Auto Generated
    @PrimaryKey(autoGenerate = true)
    private int accountID;

    private String publicAddress;
    private String hdPath;
    // Getter & Setter Methods     
      .. ..
}

DAO interface

Here, you have to declare methods and corresponding database SQL queries to be run. This interface is implemented by the Room persistence library; corresponding codes are generated automatically to perform required database operations.

@Dao
public interface IAccountsDAO {
    @Query("SELECT \* FROM AccountModel")
    List<AccountModel> fetchAccounts();

    @Insert(onConflict = OnConflictStrategy.REPLACE)
    void insertAccounts(ArrayList<AccountModel> accountModels);

    @Query("DELETE FROM AccountModel")
    void removeAccounts();
}

On invoking the Java method, corresponding queries are performed on the database. For example, invoking the removeAccounts() method executes the DELETE FROM AccountModel query.

Database operations

Room doesn’t allow you to issue database queries on the main thread, as it can cause delays. Database CRUD operations must be performed on a separate thread.

I’ve used AsyncTask on this example to perform database operations. AsyncTask allows you to perform background operations and publish results on the UI thread without manipulating threads and/or handlers yourself. AsyncTask gives a high-level wrapper over multithreading, so you don't need expertise in concurrent threads or handlers.

  • doInBackground(Params...): Performs a computation on a background thread.
  • onPostExecute (result): Posts on the UI thread once doInBackground() operation is completed. The result parameter holds the execution result returned by doInBackground().
  • execute(Params...): On invocation, executes the task specified with given parameters.

See the API reference for details.

The following example code snippet shows the database retrieve data task:

private static class fetchAsyncTask extends
                   AsyncTask\> {
   @Override
   protected ArrayList<AccountModel> doInBackground(Void...voids){
       ArrayList<AccountModel> accountModels = new                 
           ArrayList<AccountModel>(accountsDB.iAccountsDAO().fetchAccounts());
        return accountModels;
    }

    @Override
    protected void onPostExecute   
                        (ArrayList<AccountModel> accountModels) {
        Log.i(Util.LOG\_TAG, "DB Fetch Successful");
        AccountRepository.setmAccountModels(accountModels);
    }
}

public static void fetchAccounts() {
    // DB CRUD operations has to be performed in a separate thread
    new fetchAsyncTask().execute();
}
Figure 4 Figure 3: Fetching an address list from database

Next steps

It's a lot of technical info for one blog. However, it will be worth it to have your apps launch quickly and seamlessly once you've optimized address fetching in the Samsung Blockchain Keystore SDK. For more detailed information, see the following references, and don't hesitate to reach out with any queries and feedback.

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
      “Technology has transformed the way people engage with art, making it more accessible through platforms like Samsung Art Store.”
       
      Angelle Siyang-Le, Director of Art Basel Hong Kong, is a seasoned art professional with a deep understanding of the Asian and global art markets. For over a decade, she has been instrumental in shaping and defining the fair’s vision by fostering connections with galleries, collectors, institutions and the broader arts ecosystem.
       
      Since her appointment as director in 2022, Art Basel Hong Kong has continued to evolve and grow — reflecting the vibrant art scene in Hong Kong and the Asia-Pacific region at large. Her passion for building community has been a driving force throughout her career in the arts, aligning perfectly with Art Basel’s mission to bring people together through meaningful and inspiring art experiences.
       
      Samsung Newsroom sat down with Siyang-Le to explore how Art Basel Hong Kong fosters creativity and collaboration through technology.
       
      ▲ Angelle Siyang-Le, Director of Art Basel Hong Kong (Image courtesy of Art Basel)
       
       
      Vision and Future of Art Basel Hong Kong
      Q: What is the vision behind Art Basel Hong Kong?
       
      Art Basel is dedicated to connecting and nurturing the global art ecosystem. Art Basel Hong Kong places a strong emphasis on the Asia-Pacific region, with over 50% of participating galleries coming from this area. We actively support the local art scene through collaborations with various institutions and cultural organizations.
       
      Each of our shows — in Hong Kong, Basel, Paris and Miami Beach — is uniquely shaped by its host city, an influence reflected in the gallery lineup, artwork and parallel programming developed in collaboration with local institutions.
       
       
      Q: What role does Hong Kong play in the Asian art market?
       
      Hong Kong serves as a pivotal gateway to the broader Asian art market. With its established auction houses, vibrant gallery scene and international collector base, the city remains a key hub for both Western and Asian art. As Asia’s leading art hub, Hong Kong continues to bridge art communities across the region and beyond.
       
       
      Q: How has Art Basel Hong Kong evolved over the years?
       
      Our fair has evolved alongside Hong Kong’s vibrant art scene, with both continuously inspiring and impacting each other. The city’s cultural landscape has expanded significantly during my time here — invigorated by a new generation of collectors, the opening of world-class institutions like M+ and the Hong Kong Palace Museum and a dynamic surge of commercial, non-profit and artist-run spaces. Internally, we have introduced numerous initiatives and programs as well. I am proud that Art Basel Hong Kong has become a cornerstone of the city’s arts community, with widespread recognition of the fair’s presence this month.
       
      ▲ Art Basel Hong Kong 2024 (Image courtesy of Art Basel)
       
       
      Samsung x Art Basel: Redefining Art Appreciation
      Q: As the official visual display partner for Art Basel, how is Samsung Electronics driving the integration of art into everyday life through Samsung Art Store?
       
      The global collaboration between Art Basel and Samsung presents an exciting opportunity to merge world-class art exhibitions with cutting-edge innovations. Technology has transformed the way people engage with art, making it more accessible through platforms like Samsung Art Store. Advancements in display technology enable viewers to experience art in new and immersive ways — bringing it into their daily lives and fostering deeper connections.
       
      ▲ The Samsung Art Store is home to 3,000+ works from world-renowned museums, galleries and artists. Subscribers can explore expertly curated masterpieces in stunning 4K resolution. While previously exclusive to The Frame and MICRO LED, the Samsung Art Store will soon be available on 2025 Samsung AI-powered Neo QLED and QLED TVs.
       
       
      Q: How do you see this partnership impacting the way people perceive and appreciate art?
       
      Technology-driven initiatives have the power to expand cultural exchange and inspire audiences worldwide. With The Frame, Samsung has already built strong partnerships with leading museums, institutions and artists — bridging diverse artistic practices and mediums. I believe that growing these collaborations will be crucial to further integrating technology into the art world and redefining how people experience and appreciate art in their homes.
       
       
      Q: What has your experience been like using The Frame in Art Mode?
       
      I had the opportunity to explore The Frame during Samsung’s activation at our Basel and Miami Beach shows last year, and I was truly impressed by how artwork is presented on the screen. I encourage visitors to experience The Frame in Art Mode and observe how various artistic techniques and textures are rendered digitally. While The Frame offers a stunning way to enjoy classic masterpieces, what excites me most is how Samsung Art Store enhances the experience by showcasing emerging artists and fresh artistic perspectives.
       
      ▲ A comparison of The Frame Pro’s TV Mode and Art Mode
       
       
      The Role of Technology in the Evolving Art World
      Q: How is technology influencing the presentation and consumption of contemporary art?
       
      Technology plays a crucial role in expanding the global reach of contemporary art and transforming how we experience and connect with it. Digital platforms have redefined accessibility, while AI and blockchain are revolutionizing how art is created, traded and authenticated. Last year at Art Basel Miami Beach, we introduced an AI-powered mobile app to make exploring the fair more intuitive and engaging. Our use of technology is all about enhancing the visitor experience — offering audiences fresh, innovative ways to discover new artwork, navigate the fair seamlessly and connect with galleries.
       
       
      Q: What changes have you noticed in the art world?
       
      Collector interests are shifting. There is a growing demand for emerging artists and increased recognition of local artists, whose presence in private collections is rising. Additionally, a generational shift is underway as younger collectors take on a more active role in shaping the market.
       
      ▲ “Enduring as the universe (天長地久, 2024)” by Ticko Liu displayed on The Frame Pro
       
       
      Q: What opportunities excite you most about Art Basel Hong Kong’s future?
       
      I’m excited to continue deepening collaborations within Hong Kong’s dynamic arts community and contributing to Asia’s art ecosystem. Strengthening regional and global connections not only enriches the fair but also fosters a broader dialogue around contemporary art. Through meaningful partnerships such as Art Basel’s collaboration with Samsung, we can continue to progress while staying true to our core mission — delivering world-class art fairs for our global community of galleries, artists, partners and collectors.
       
      This year, Art Basel Hong Kong will take place from March 28 to 30 at the Hong Kong Convention and Exhibition Centre. Visitors are invited to explore premier galleries from around the world and discover diverse artistic perspectives through modern and contemporary artwork.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics, the world’s leading TV manufacturer for 19 consecutive years, is kicking off the 2025 Tech Seminars in Frankfurt, Germany, from March 18–19, giving media and industry professionals an exclusive first look at its most advanced AI-powered TV and audio innovations before they hit the market.
       
      Now in its 14th year, the seminar provides field experts with hands-on experiences of Samsung’s latest TV lineup ahead of its official release. This year, the seminar will be showcasing technologies related to AI-powered picture quality, immersive sound, and next-generation viewing experiences.
       
       
      Revolutionizing the Screen Experience With AI
      Samsung’s 2025 TVs will feature powerful AI-driven features designed to enhance the user experience. At the heart of this innovation is Vision AI, an advanced platform that personalizes and simplifies the way users interact with their screens. Features such as Click to Search allows viewers to instantly access relevant information about on-screen content, while Live Translate provides real-time audio translations for seamless global viewing. Quick Remote transforms a smartphone into a control hub, offering a more intuitive and connected experience.
       
      Samsung has also introduced a seamless multi-device experience, enabling effortless content sharing and control across Samsung devices. Features like Storage Share, which allows easy file transfers between Galaxy devices and TVs, and Multi Control, which lets users operate multiple Samsung devices with a single keyboard and mouse, create a more connected and streamlined ecosystem.
       
       
      Next-Generation OLED & Neo QLED Picture Quality
      Samsung’s 2025 OLED TVs introduce Glare Free 2.0, minimizing reflections for a crystal-clear and immersive experience. Powered by the NQ4 AI Gen3 Processor and 128 neural networks, AI Upscaling sharpens details with remarkable precision, while OLED HDR technology boosts brightness and contrast.
       
      The 2025 Neo QLED 4K lineup features advanced local dimming for deeper blacks and enhanced HDR accuracy. AI Motion Enhancer, previously exclusive to 8K models, is now available in 4K TVs, delivering ultra-smooth visuals ideal for sports and action-packed content.
       

      Expanding the Lifestyle TV Portfolio
      Samsung’s Lifestyle TV lineup continues to push boundaries of design and innovation, blending cutting-edge technology with personalized home aesthetics.
       
      The Frame Pro redefines both entertainment and home décor, now featuring Mini-LED Local Dimming for enhanced brightness and lifelike picture quality. With access to over 3,000 digital artworks via Samsung Art Store, users can instantly transform their TV into a stunning personal gallery. The addition of Wi-Fi 7 ensures seamless installation, reducing cable clutter for a cleaner, more sophisticated setup.
       
      Meanwhile, The Premiere 5 offers a compact yet powerful projection experience with touch interaction, making it ideal for gaming, education, and immersive home entertainment. Designed for versatility, it delivers immersive visuals in a range of environments, from classrooms to home theaters and much more.
       

      Introducing the Next Era of Immersive Sound
      Samsung is redefining audio innovation with Eclipsa Audio, the industry’s first IAMF 3D sound technology developed in collaboration with Google. This advanced system optimizes spatial sound by analyzing environmental reflections, delivering a deeply immersive surround sound experience.
       
      At the 2025 Tech Seminar, attendees will be among the first to experience Eclipsa Audio firsthand and see its seamless integration with Samsung’s latest soundbars for a next-level home theater experience.
       
      “At Samsung, we’re committed to making all the devices you use smarter and more connected,” said Benjamin Braun, Samsung Europe’s Chief Marketing Officer. “Whether it’s using Vision AI to automatically optimize your TV settings or AI-powered services to make activities such as search or home management simpler, we’re showing how technology can feel more personal and tangible than ever before.”
       
      Following the Frankfurt event, Samsung will bring the Tech Seminar series to key regions including Southeast Asia and Latin America, providing more industry professionals with exclusive hands-on previews of its AI-powered display and audio innovations ahead of their market launch.
       
      ▲ Kevin Cha from Samsung’s Picture Quality Solution Lab explains how Glare Free 2.0 technology and OLED HDR technology enhance viewing comfort.
       
      ▲ Haylie Jung from Samsung’s Picture Quality Solution Lab highlights advanced local dimming and AI-powered enhancements in the 2025 Neo QLED 4K, featuring the NQ4 AI Gen3 Processor.
       
      ▲ Steffen Greb from Samsung’s ECSO demonstrates Vision AI and seamless multi-device connectivity across Samsung products.
       
      ▲ Deokhwan Kim from Samsung’s Picture Quality Solution Lab demonstrates The Premiere 5’s touch capabilities.
       
      ▲ Hyungwoo Kim from Samsung’s Sound Device Lab showcases Eclipsa Audio, Samsung’s 3D audio technology, allowing users to enjoy immersive three-dimensional sound experience.
      View the full article
    • By Samsung Newsroom
      ▲ Zhu Jinshi’s This Triptych is as Gorgeous as the Autumn in a Scented Room (2023) shown on Neo QLED 8K by Samsung.
       
      Samsung Electronics, the Official Art TV of Art Basel, today announced that it is bringing contemporary masterpieces from galleries exhibiting at Art Basel Hong Kong 2025 to a global audience. Starting today, subscribers of the Samsung Art Store, a premium digital art platform exclusively available on Samsung TVs, will have access to a curated collection of 23 select works from Art Basel’s galleries, some of which will be displayed at the highly anticipated fair, taking place from March 28-30,1 2025 at the Hong Kong Convention & Exhibition Centre.
       
      The Samsung Art Store is home to 3,000+ works from world-renowned museums, galleries and artists. Subscribers can explore expertly curated masterpieces in stunning 4K resolution to bring the program of Art Basel galleries into their homes. The Art Basel Hong Kong collection includes renowned artworks such as Zhu Jinshi’s “This Triptych is as Gorgeous as the Autumn in a Scented Room,” Ticko Liu’s “Enduring as the Universe,” Jimok Choi’s “Shadow of the Sun,” Bae Yoon Hwan’s “Green Bear,” and more.
       
      “Samsung Art Store is making fine art more accessible than ever, bringing the premier artworks presented by leading international galleries at Art Basel Hong Kong directly into people’s homes,” said Bongjun Ko, Vice President of Samsung Electronics’ Visual Display Business. “We are proud to expand this experience to more Samsung TV owners worldwide, allowing them to enjoy world-class artwork in stunning 4K quality with just a few clicks.”
       
       
      Bringing the Art Basel Experience to Samsung TVs
      ▲ Ticko Liu’s Enduring as the Universe (2024) shown on Neo QLED 8K by Samsung.
       
      Art Basel stages the world’s premier art shows for modern and contemporary art, sited in Hong Kong, Basel, Paris and Miami Beach. Through the Samsung Art Store, a curated selection of these masterpieces is now available beyond the exhibition halls, allowing art lovers worldwide to experience select artworks presented by leading international galleries at Art Basel – all from the comfort of their homes.
       
      To further highlight the intersection of art and technology, Samsung will present an interactive lounge, titled ArtCube,2 at Art Basel Hong Kong on March 28-30. The showcase will demonstrate how The Frame, MICRO LED and Neo QLED 8K redefine digital art experiences by displaying artwork, including those from the Art Basel collection in breathtaking detail. Under the theme “Borderless, Dive into the Art,” ArtCube visitors will engage with Samsung Art Store’s exclusive collections, bridging the gap between physical and digital art.
       
      In addition to its ArtCube Lounge experience, Samsung presents a series of panel discussions highlighting influential voices from the contemporary art scene. Daria Greene, Head of Content and Curation at Samsung leads each engaging one-on-one dialogue. The conversations feature Hayley Romer, Chief Growth Officer of Art Basel, and Marc Dennis, an American artist known for his hyper-realistic paintings.
       
       
      Expanding Samsung’s Digital Art Leadership
      While previously exclusive to The Frame and MICRO LED, the Samsung Art Store will soon be available on 2025 Samsung AI-powered Neo QLED and QLED TVs,3 as part of Samsung’s mission to bring world-class art to an even bigger audience. In addition to the Art Basel Hong Kong collection, Samsung will continue its partnership with one of the world’s most prestigious art fairs by introducing exclusive artworks from Art Basel’s Basel and Paris collections later this year.
       
      “We are proud to partner with Samsung Art Store on the 2025 Art Basel Hong Kong collection – extending Art Basel Hong Kong’s best-in-class cultural experience beyond the halls of the show, and creating new, year-round opportunities for ever broader audiences to engage with Art Basel’s distinguished international program of galleries and their artists,” said Noah Horowitz, CEO of Art Basel.
       
      The Art Basel Hong Kong collection features works from 23 globally acclaimed artists, including Jimok Choi, Bae Yoon Hwan, Stephen Wong Chun Hei, Ticko Liu, Alasie Inoue, Tromarama, Damian Elwes, Zhu Jinshi, Nakai Katsumi, Cao Yu, Hamra Abbas, Nabil Nahas, Owen Fu, Sophie von Hellermann, Chow Chun Fai, Gillian Ayres and Gongkan.
       
      For more information, visit www.samsung.com.
       
       
      About Art Basel
      Founded in 1970 by gallerists from Basel, Art Basel today stages the world’s premier art shows for Modern and contemporary art, sited in Basel, Miami Beach, Hong Kong, and Paris. Defined by its host city and region, each show is unique, which is reflected in its participating galleries, artworks presented, and the content of parallel programming produced in collaboration with local institutions for each edition. Art Basel’s engagement has expanded beyond art fairs through new digital platforms including the Art Basel App and initiatives such as the Art Basel and UBS Global Art Market Report and the Art Basel Awards. Art Basel’s Global Lead Partner is UBS. For further information, please visit artbasel.com.
       
       
      1 Event is open to the public from March 28-30, after VIP opening from March 26-27.
      2 Samsung Lounge ‘ArtCube’ will be located in L3, the main exhibition floor inside the Hong Kong Convention and Exhibition Center.
      3 For models Q7F and above.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics today announced that approximately 80 models in its 2025 TV, monitor and soundbar lineups have received Product Carbon Reduction1 and Product Carbon Footprint2 certifications from TÜV Rheinland, a globally recognized certification organization based in Germany. This marks the fifth consecutive year that the premium lineups, Neo QLED 8K and Neo QLED, have received certifications, reinforcing the company’s continued efforts in carbon reduction.
       
      “Samsung Electronics is committed to driving technological innovation for a sustainable future,” said Taeyong Son, Executive Vice President of Visual Display Business at Samsung Electronics. “As the world’s leading TV manufacturer, we will continue to be at the forefront of establishing a more energy-efficient ecosystem that benefits consumers.”
       
      Following last year’s certification of 60 models across the Neo QLED, OLED and Lifestyle TV categories, Samsung has further increased its number of certified products in 2025 to include QLED TVs. In addition, the company is also working towards obtaining certification for its Color E-Paper lineup later this year.
       

       
      The certifications from TÜV Rheinland are awarded following a rigorous evaluation of a product’s entire lifecycle — including manufacturing, transportation, usage and disposal — based on internationally recognized sustainability standards. By assessing and verifying carbon emissions at each stage, these certifications highlight Samsung’s efforts to reduce environmental impact across its product lineup.
       
      In particular, the Product Carbon Reduction certification is granted to products that have already received a Product Carbon Footprint certification and further demonstrate a measurable reduction in carbon emissions compared to their predecessors.
       
      Samsung’s leadership in energy-efficient display technology dates back to 2021, when the Neo QLED became the first 4K and higher-resolution TV to earn the Reducing CO2 certification. Since then, Samsung has continually expanded its portfolio of environmentally certified products, including QLED, Crystal UHD, Lifestyle TVs, OLED TVs and a wide range of monitors and digital signage products.
       
      For more information on Samsung’s 2025 TV lineup, please visit www.samsung.com.
       
       
      1 38 Certified models include Neo QLED 8K(QN990F, QN950F), Neo QLED 4K(QN90F, QN85F), OLED(S95F 55”/65”, S90F, S85F 77”/83”), The Frame Pro(LS03FW), LCD Signage(QMC 43”, 50”, 55”, 75”), and Soundbar(Q930F, Q800F, QS700F) products.
      1 42 Certified models include Neo QLED 8K(QN900F), Neo QLED 4K(QN80F, QN70F), OLED(S95F 77”/83”, S85F 55”/65”), The Frame(LS03F), QLED(Q8F, Q7F), Viewfinity S80UD, S80D, QMC 65’’/85’’, Soundbar(Q990F), EMDX 32″.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics today announced that the quantum dot (QD) sheet used in its QD TVs has received certification for compliance with the Restriction of Hazardous Substances (RoHS) directive and has been verified to contain no cadmium by the global certification institute, Société Générale de Surveillance (SGS).
       
      SGS, headquartered in Geneva, Switzerland, is a world-leading testing and certification body that provides services to ensure organizations meet stringent quality and safety standards across various industries, including electronic products, food and the environment.
       
      In addition to receiving recognition from SGS for the no-cadmium technology in Samsung’s quantum dot film, the company’s compliance with the EU’s RoHS directive assures the safety of the TV viewing experience.
       
      “Samsung’s quantum dot TVs are built on safe technology that complies with restrictions on hazardous substances while delivering unmatched picture quality,” said Taeyong Son, Executive Vice President of Visual Display Business at Samsung Electronics. “Achieving SGS certification fully validates the safety of our products. With this recognition, we are committed to continuously developing sustainable display technologies.”
       
      Samsung began researching quantum dot technology in 2001, and its ongoing commitment to research and investment has positioned it at the forefront of innovation in the global display market.
       
      After developing the world’s first no-cadmium quantum dot material in 2014, Samsung launched TVs that implemented the technology the following year. Since then, the company has been leading quantum dot technology through continuous technological advancements.
       
      In particular, Samsung successfully created nanocrystal material without cadmium and has secured around 150 patents for the technology. With this extensive expertise and technological progress, the company has ushered in an era of safer quantum dot TVs made with materials that do not contain harmful substances.
      View the full article





×
×
  • Create New...