Quantcast
Jump to content


Integration of Samsung IAP Services in Android Apps


Recommended Posts

2021-03-08-01-banner.jpg

Selling digital content is a popular business all over the world. If you are interested in selling your digital items in the Samsung ecosystem, then you need to learn about the Samsung In-App Purchase (IAP) SDK. You can implement Samsung IAP in your Android, Unity, and Unreal Applications.

Since server to server communication is more secure and reliable, payment transaction should be verified from the IAP server. This is the second of two blogs on this topic. In the first part, we discussed how to integrate Samsung’s IAP server API into your app’s server. In this blog, we will learn how to communicate with your server through an Android app.

Please go through the documentation of Samsung IAP SDK to integrate Samsung IAP SDK in your app. Then build your own app server for server verification which is covered in the first part of this blog. To know about server API, read Samsung IAP Server API.

Get Started

Let’s learn through a simple Android game. This game has an item which can only be used for a certain period of time. So, it is a subscription type item. If a user buys this item, then the item will be available after purchase verification.

When the app is launched, the app checks if this item is already subscribed or not. There can be one of two results:

  • The item is not subscribed, then the app offers to subscribe this item.
  • The item is subscribed then the app gets the current status of this subscription through getSubscriptionStatus Server API. The subscription status can be active or cancel. Subscription can be canceled for various reasons. If the IAP server returns the subscription status as ‘cancel’ then the app notifies it to the user.

Implementation of these two cases are discussed in the next sections.


2021-03-08-01-01.jpg

Implement Android IAP

At first, integrate Samsung IAP SDK in your Android app and register it in the seller office to test In-App items. When the app is launched, call getOwnedList() API. It returns a list of in-app items that the app user currently has from previous purchases. If the item is not in this list, then the app offers to purchase the item.

To purchase any item, call startPayment(). This API notifies the end user if the purchase succeeded or failed. If the purchase is successful, then do the server verification. If your app’s server validates the purchase, then make the item available to the user, otherwise request user to purchase it again.

public void onPayment(ErrorVo _errorVo, PurchaseVo _purchaseVo) {
    if (_errorVo != null) {
        if (_errorVo.getErrorCode() == IapHelper.IAP_ERROR_NONE) {
            if (_purchaseVo != null) {
                if (mPassThroughParam != null && _purchaseVo.getPassThroughParam() != null) {
                    if (mPassThroughParam.equals(_purchaseVo.getPassThroughParam())) {
                        if (_purchaseVo.getItemId().equals(ITEM_ID_SUBSCRIPTION)) {
                            mMainActivity.setBackgroundPurchaseId(_purchaseVo.getPurchaseId());
                            new PurchaseVerification(mMainActivity).execute(_purchaseVo.getPurchaseId());
                        }
                    } 
                }
            } 
         }
     }
}

If the item is available in this list, then detailed information of this item such as purchase ID will be available in the OwnedProductVo type ArrayList. To call getSubscriptionStatus Server API, we need the purchase ID of the item. So, send this ID to your app’s server to get the status of the subscribed item.

public void onGetOwnedProducts(ErrorVo _errorVo, ArrayList<OwnedProductVo> _ownedList) {
        if (_errorVo != null) {
            if (_errorVo.getErrorCode() == IapHelper.IAP_ERROR_NONE) {
                if (_ownedList != null) {
                    for (OwnedProductVo item : _ownedList) {
                        if (item.getItemId().compareTo(ItemName.ITEM_ID_SUBSCRIPTION) == 0) {
                            // Check whether subscription is canceled or not.
                            new SubscriptionDetails(mMainActivity).execute(item.getPurchaseId());
                        }
                    }
                }
            } else {
                Log.e(TAG, "onGetOwnedProducts ErrorCode [" + _errorVo.getErrorCode() +"]");
            }
        }
    }

Connect Your App with Your App Server

Create an asynchronous task for communicating with the server. This task has two parts. One is to send purchase ID to your app server and the other is to receive the result from the app server. Use doInBackground() method for these two tasks. Return this result to your main UI through onPostExecute() method.

Create a class which extends AsyncTask<String,Void,String> for server verification. Then write the following code in doInBackground() method to send the purchase ID:

CookieHandler.setDefault( new CookieManager( null, CookiePolicy.ACCEPT_ALL ) );
try{
   URL url = new URL("http:// "); //URL of your app’ server
   URLConnection connection = url.openConnection();
   connection.setDoOutput(true);
   connection.setDoInput(true);
   OutputStreamWriter out = new OutputStreamWriter(connection.getOutputStream(); 
   String y = "";
   for(int i = 0;i < x.length;i++)
   {
        y = y + x[i];
   }
   out.write(y);
   out.close();
   }catch(Exception e){ 
   }

Receive to the server verification result using the following code:

String output = "";
BufferedReader in = new BufferedReader(new InputStreamReader(connection.getInputStream()));
String s = "";
while((s = in.readLine())!= null)
{
       output = output + s;
       in.close();
}
return output;    

Now, create an Interface called ServerResponse and implement it in an Activity where you want to show the result from your app’s server.

public interface ServerResponse {
    void processFinish(String output);
}

After receiving the result from the server, return the result to your main UI through onPostExecute() method.

protected void onPostExecute(String result) {
    serverresponse.processFinish(result);
}

Test your app

Let’s test the app. Upload your web app onto a server. Then use that URL in your app to check server verification in doInBackground() method. Keep in mind that Samsung In-App Purchase can’t be tested in an emulator of Android Studio. So use a Samsung device to test your app. Read the Test Guide before starting to test your app. A simple Android game is attached at the end of this article where app to server communication is implemented.

This game has a blue background image which can be subscribed. If this item is not in an active subscription period, then the app offers to subscribe the background. If the user purchases the item, then the game verifies the purchase through the server. If the purchase is verified, then it shows that the subscription status is activated and the app makes the item available. If the user unsubscribes the item from the Galaxy Store, subscription status becomes ‘cancel’. However, as the active subscription period has not ended yet, the item is still available in the app.


2021-03-08-01-02.jpg
2021-03-08-01-03.jpg
2021-03-08-01-04.jpg

Wrapping Up

In these two blogs, we have covered the full communication between your app, server and IAP server. Now you will be able to implement purchase verification through your server. If your app is free but has some premium contents, then you can monetize your app. Samsung In-App Purchase provides many ways to earn money from your app. Go to Galaxy Store Games to find out more details about it.

Follow Up

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

Link to comment
Share on other sites



  • 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 announced that it has been named the number one signage manufacturer for the fifteenth consecutive year by market research firm Omdia, once again demonstrating its leadership in the global digital signage market.1
       
      According to Omdia, in 2023 Samsung not only led the global signage market with a 33% market share, but also sold over 2 million units — a record-breaking number for the company.2
       
      “Achieving first place in the global display signage market for 15 consecutive years reflects our commitment to innovation and our ability to adapt to evolving market conditions and the needs of our customers,” said Hoon Chung, Executive Vice President of Visual Display Business at Samsung Electronics. “We will continue to provide the highest value to our customers by offering specialized devices, solutions and services that address their diverse needs.”
       
      Samsung Electronics is regularly introducing differentiated signage products that meet various business environment needs.
       
      The Wall, the world’s first modular display with micro LED technology. Thanks to its modular format, The Wall allows customers to adjust the sign’s size, ratio and shape based on preference and use case. Smart Signage, which provides an excellent sense of immersion with its ultra-slim profile and uniform bezel design. Outdoor Signage tailored for sports, landmark markets, and electric vehicle charging stations. The screens in the Outdoor Signage portfolio are designed for clear visibility in any weather environment. Samsung Interactive Display, an e-board optimized for the education market that puts educational tools at the fingertips of educators and students.  
      The expansion of The Wall lineup is a clear indication of Samsung’s innovations and leading technology. Products like The Wall All-in-One and The Wall for Virtual Production were chosen by customers for their exceptional convenience and unique use cases, while The Wall has been selected as the display of choice for luxury hotels like Atlantis The Royal in Dubai and Hilton Waikiki Beach in Hawaii.
       
      Samsung’s leadership in the digital signage industry can be attributed to the company’s commitment to product and service innovation. For example, the introduction of the world’s first transparent Micro LED display in January was noted by industry experts as the next generation of commercial display, earning accolades such as “Most Mind-Blowing LED” and “Best Transparent Display” from the North American AV news outlet, rAVe.
       

       
      The recent introduction of the Samsung Visual eXperience Transformation (VXT) platform further demonstrates Samsung’s commitment to display innovation. This cloud-native platform combines content and remote signage operations on a single, secure platform, offering services and solutions that go beyond just hardware while ensuring seamless operation and management for users.
       
      Looking ahead, the global display signage market is poised for rapid growth, with an expected annual increase of 8% leading to a projected market size of $24.6 billion by 2027, up from $14 billion in 2020.3
       
       
      1 Omdia Q4 2023 Public Display Report; Based on sales volume. Note: consumer TVs are excluded.
      2 Omdia Q4 2023 Public Display Report; Based on sales volume. Note: consumer TVs are excluded.
      3 According to the combined LCD and LED signage sales revenue. Omdia Q4 2023 Public Displays Market Tracker (excluding Consumer TV), Omdia Q4 LED Video Displays Market Tracker.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics today announced the official launch of its Visual eXperience Transformation (VXT) Platform, a cloud-native Content Management Solution (CMS) combining content and remote signage management on one secure platform. Designed with ease-of-use in mind, the all-in-one solution allows businesses to easily create and manage their digital displays.
       
      “Cloud migration is an unstoppable trend,” said Alex Lee, Executive Vice President of Visual Display Business at Samsung Electronics. “VXT is an innovative step toward this migration in that it makes high-tech signage more readily accessible, no matter where our customers are. But not only is high-tech signage accessible, the content and remote management solutions VXT provides are user-friendly.”
       
       
      Efficient Cloud-Native Solution for All Business Needs
      Samsung VXT is the next evolution of CMS software from MagicINFO, delivering an enhanced cloud-native solution tailored for seamless content creation and management of all B2B displays — including LCD, LED signage and The Wall. VXT streamlines the deployment and updating of software directly via a cloud portal, which eliminates the cumbersome process of manual updates. Registration of devices is designed for efficiency, as well, with a simple 6-digit pairing code that allows for quick and secure setup.
       
      By streamlining digital signage operations and management, VXT offers a versatile solution that meets the needs of any sector, whether it be retail, hospitality, food and beverage or corporate. The solution has already received recognition from prominent partners such as Hy-Vee’s retail media network, RedMedia, which uses VXT CMS to manage a network of over 10,000 Samsung smart signage screens — including the QBR-Series, which has been installed across all of Hy-Vee’s grocery stores and retail locations.
       
       
      Intuitive Content and Screen Management
      Unlike other CMS solutions, VXT is a turnkey solution developed by Samsung that allows users to seamlessly create content and manage screens in one application. It consists of three CMS modules: VXT CMS, VXT Canvas1 and VXT Players, and each module makes content creation and screen management easier than ever:
       
      VXT CMS: Content management is simplified through an intuitive interface that simultaneously handles content, playlists and schedules. The remote management feature allows real-time management of multiple devices. Additionally, robust security features — such as private certificates and allowing customizable security solutions for every business need. VXT Canvas: What You See is What You Get (WYSIWYG)-based creative tools that enable anyone to create content effortlessly and more intuitively with support for various templates, widgets and partner content. Users can create original content with custom and company fonts, as well as templates and images pre-loaded on the system for added convenience. VXT Players: VXT supports Tizen and Android-based players,2 while also managing multiple web elements simultaneously on one screen. Additionally, a web-based virtual screen allows users to easily view and manage their signage deployments.  
      VXT also combines content, solutions and expertise of third-party system integrators, software developers and content partners to provide users with access to an even broader range of incredible content, specific to vertical use cases, without the need for additional customization or development.3 Some of the notable Pre-Integrated Repeatable Solutions (PIRS) include:
       
      VXT Art: Users can access a diverse library of artwork and photos with just a few clicks, and content from various art museums and galleries can be used across businesses ranging from office spaces to restaurants and beyond. Link My POS: This solution enabled by Wisar Digital allows businesses to use VXT Canvas to pull product data from Point Of Sale (POS) systems, eliminating the need to manually enter data or export data. Link My POS improves overall efficiency and reduces pricing errors, which in turn saves time and money. Ngine Real Estate: This solution developed through a partnership with Ngine Networks lets businesses display properties that are for sale or rent by using VXT to forego re-entering data when connecting directly to their platforms. Ngine Automotive: Cars, bikes and boats can be listed as for sale or rent by connecting directly to business displays, without needing to enter information. Messages can be resumed on social network platforms, as well. This solution has also been achieved by partnering with Ngine Networks.  
       
      Seamlessly Control and Manage from Anywhere
      By offering compatibility with both desktop and mobile devices4, Samsung VXT revolutionizes content management because it caters to both the advanced needs of desktop users and the convenience required by mobile users. This flexibility allows users to manage their content anytime, anywhere.
       
      Furthermore, VXT is designed to substantially reduce downtime in digital signage operations. Through advanced modular architecture, VXT isolates and minimizes the impact of any potential failures, allowing users to swiftly address disruptions. VXT also comes with an early warning feature, which detects potential issues — such as extreme temperature changes or network instability — and alerts customers before failure occurs. This offers greater peace of mind by allowing users to take preemptive actions or speed up the recovery time.
       
      VXT’s energy management tool offers an at-a-glance view of energy consumption levels, as well. Customers can optimize their energy use based on monthly insights and adjust settings like brightness levels and automatic on/off times accordingly.
       
       
      Availability
      Samsung will hold a global launch event of VXT on January 31 at Integrated Systems Europe (ISE) 2024 in Barcelona. Designed as an omni-channel service, VXT will be accessible through various subscription plans, including both monthly and annual options. Customers can also make offline purchases through existing B2B sales channels worldwide, while online purchases will initially be made available in the U.S. before a subsequent global rollout in 2024. Prospective users can take advantage of a 60-day free trial before subscribing.
       
      For more information on Samsung’s VXT platform, please visit https://vxt.samsung.com.
       
       
      1 VXT CMS and VXT Canvas supported on Chrome browser only.
      2 VXT is compatible with Android devices running Android 10 or higher, and with Tizen devices on Tizen 6.5 or higher.
      3 For PIRS partner content, additional subscription payment is required.
      4 VXT CMS and VXT Canvas supported on Chrome browser only.
      View the full article
    • By Samsung Newsroom
      Transparent LEDs are poised to redefine viewing experiences, making the line between content and reality virtually indistinguishable. Leveraging this groundbreaking technology, Samsung Electronics has upleveled its leading MICRO LED display to expand how users enjoy visual content.
       
      The company’s Transparent MICRO LED display was unveiled for the first time at Samsung First Look 2024 on January 7 (local time) — ahead of the Consumer Electronics Show (CES) 2024, the world’s largest consumer electronics and information technology exhibition held in Las Vegas from January 9-12. Combining superior craftsmanship with six years of tireless research and development, this new modular MICRO LED wowed attendees with its futuristic design. The Transparent MICRO LED’s crystal-clear, glass-like display has revolutionized the viewing experience and attracted the attention of global consumers.
       
      Check out how Transparent MICRO LEDs will make everything from sports to movies more vivid and immersive in the video below.
       
       View the full article
    • By Samsung Newsroom
      Samsung Electronics announced a new update for Samsung TV Plus,1 its widely-used free ad-supported streaming TV (FAST) service. The latest version of Samsung TV Plus introduces user interface (UI) enhancements and new features, aimed at streamlining content discovery and elevating the user experience (UX). This update has been applied to cover 2,500 channels+ across all 24 countries where Samsung TV Plus is available.
       
      ▲ The latest Samsung TV Plus update features new features and a user interface (UI) overhaul to allow for better content discovery

       
      New UI Dedicated to Expanding Content Discovery
      The new Samsung TV Plus update includes a redesigned home screen to provide an overview of content available for viewing, in addition to popular titles and recently watched content.
       
      The updated UI also features newly added categories on the left side of the home screen to include sections such as Live TV, Movies/TV Shows, Music, Kids and Settings, and more. Each category offers a broad range of content that can be easily accessed at any time.
       
      Additionally, region-specific tabs have been added based on each region’s content catalogue and user preference to meet the needs of different markets:
       
      Music tab for the U.S., Australia, New Zealand Kids tab for the U.S., Europe, Brazil, Mexico, India News tab for India with multilingual support  
      ▲ A Kids tab has been added to the U.S., Europe, Brazil, Mexico and India markets
       
       
      Streamlined Channel Navigation
      The updated interface features larger UI elements to improve the browsing experience, allowing users to easily navigate through an ever-expanding library of TV channels. Moreover, users can log into their Samsung accounts to easily access their favorite channels in one place at the top of the channel guide.
       
      ▲ Channel navigation becomes more intuitive with the new Samsung TV Plus update
       
       
      Enhanced VOD Experience
      The latest update also expands the Video on Demand (VOD) offerings and features of Samsung TV Plus. Now, users can access VOD from the channel guide, enabling instant playback of select programs without having to wait for a specific episode to come on the channel.2
       
      The new “More Like This” feature offers content suggestion based on users’ viewing history, providing tailored content discovery that aligns with their preferences.
       
      ▲ The latest Samsung TV Plus update includes a variety of VOD content
       
      “Over the past year, we have witnessed a 60% increase in global viewing time on Samsung TV Plus — a testament to the platform’s expansive content library and user-friendly design,” said Yonghoon Choi, Executive Vice President of the Visual Display Business at Samsung Electronics. “We will continue to evolve and enhance our services to provide a more intuitive and enjoyable viewing experience for our users.”
       
      For more information on Samsung TV Plus, please visit www.samsung.com.
       
      About Samsung TV Plus
      Samsung TV Plus is Samsung’s free ad-supported streaming TV (FAST) and video-on-demand service which offers over 2,500 channels globally as well as thousands of shows and movies on-demand spanning news, sports, entertainment, auto, design and more. One of the first FAST platforms from a device manufacturer, Samsung TV Plus is directly integrated into all 2016-2023 Samsung TVs, available on Samsung Galaxy mobile devices and Samsung Family Hub refrigerators on selected regions.

       
      1 The latest update, Samsung TV Plus version 5.2, will be available on all Samsung Smart TVs released in 2019 or later.
      2 If content is available for both linear channel programs and VOD.
      View the full article
    • By Samsung Newsroom
      The role of digital signage has evolved exponentially over the last decade. While previously only seen in boardrooms and airport directories, use cases now expand far beyond, from quick serve restaurant drive-throughs to digital out-of-home (DOOH) locations like stadiums and malls. Due in part to its flexibility and versatility, traditional technology like whiteboards in the classroom and projectors in meeting rooms are being swapped out for digital signage that’s driving immersive experiences and creating opportunity for users and consumers everywhere.
       
      As customers enter businesses and venues, they are immediately greeted by striking images of digital signage. These signage solutions are becoming a common sight across diverse industries, from the buzzing atmosphere of hotels and sports stadiums to the inspiring spaces of educational institutions and art galleries. They enrich customer experiences in every setting.
       
      Digital signage is no longer perceived as a mere advertising display — it’s so much more. It has become one of the most sought-after media platforms for personalized information, content, education, sports, art, and more. These digital signage applications not only change the look and feel of the environment, but captivate and leave a lasting impression on its viewers.
       
      As the role of signage in everyday life continues to evolve, so evolves the depth of the market itself, too. According to Fortune Business Insight, the digital signage market is expected to grow to more than $35 billion by 2026.1 Along with the industry’s substantial growth, Samsung Electronics has maintained its number one position in the market for 14 consecutive years,2 and continues to expand the boundaries of digital signage with its unrivalled technology.
       
      Let’s take a look at how Samsung has continued to lead the global industry for 14 consecutive years during the heyday of digital signage.
       
      ▲ Samsung Smart Signages have advanced immersion across various fields in 2023
       
       
      More Than a Background: Becoming Part of the Experience in Historic Monuments, Sports Arenas and Ultra-Luxury Resorts
      In today’s world, organizations across sectors aren’t just adopting new technologies – they are embracing a total experience that provides an integrated approach that combines internal and external facets of their operations. According to Gartner, it’s expected that by 2024, organizations providing a total experience will outperform competitors by 25% in satisfaction metrics, impacting both customer and employee experiences.3 Similarly, Samsung supports projects from inception to completion in a number of ways including mechanical design and training, site surveys, product delivery, and installation, ensuring customers are equipped with the tools to be successful.
       
      In times of such transformation, digital signage plays a pivotal role. A perfect example can be found in the heart of Vatican City. At the historic St. Peter’s Square in Vatican City, visitors gather from all corners of the world for a once in a lifetime ceremony from the Pope.
       
      ▲ Visitors and worshippers can clearly view the proceedings through Samsung’s outdoor LED signage (XHB series, two measuring 7.935m x 4.83m and two measuring 5.865m x 3.105m) at St. Peter’s Square, Vatican City
       
      Enhancing this once-in-a-lifetime experience, Samsung has integrated advanced signage solutions seamlessly by installing four high-precision LED displays. The result is a dramatically improved experience for all in attendance, regardless of their physical positioning. Paired with audio solutions that deliver crystal clear sound, the technology ensures the Pope’s message resonates profoundly with everyone at the event.
       
      In addition to bringing events closer to attendees, Samsung’s innovative technology turns any space into an immersive experience, filled with vivid colors, crystal clear picture quality and dynamic content. Capturing guest attention and ensuring a great experience is vital for any high-end destination. Digital signage solutions are a great tool for enabling this attraction and retention. A prime example of this in action is at one of the world’s top resorts, Atlantis the Royal in Dubai, with Samsung’s premium technology installed across the property.
       

      ▲ (Up) An awe-inspiring sight greets resort guests, made possible by Samsung LED signage installed behind the lobby fish tanks. (Down) Samsung’s innovative modular Micro LED display, The Wall enhances the hotel’s most luxurious guest suite, the Royal Mansion, measuring 146 inches with 4K (3,840 x 2,160) resolution.
       
      Every moment of a guest’s stay is filled with awe-inspiring imagery and impressive displays for a one-of-a-kind experience — whether on their journey to the spa or in the hotel’s lobby where guests are met with the largest indoor LED displays installed on three large water tanks, projecting breath-taking scenes including a rainbow of fish swimming in the sea.
       
      These displays also create an overwhelming atmosphere when bold content is paired with advanced technology. In Minute Maid Park — home of the Houston Astros, part of the US baseball league — Samsung upgraded impressive 6,875-square-foot primary scoreboard, left-field scoreboard and ribbon boards. Similarly, in Switzerland’s Swiss Life Arena, Samsung deployed display solutions including the largest indoor LED cube in Europe. As the most modern ice hockey arena in Switzerland, Swiss Life provides a drastically improved fan experience and enhanced operational efficiency thanks to Samsung.
       
      ▲ Minute Maid Park displays the impressive 6,875 square-foot scoreboard, giving fans a crystal-clear view from every seat in the house. It’s part of the larger videoboard that spans an impressive eight stories, featuring 5.3 million stunning LEDs designed to digitally enhance the fan experience.
       
      ▲ The central LED Cube display at Swiss Life Arena — measuring 12(w)x12(d)x8(h) meters — is the principal element of the fan experience with 416m² of the LED signage. Any one of the 12,000 seats within the area have a stunning view of the display.
       
       
      More Than Hands-On: A Transformative Education Experience With Samsung Smart Signage
      Digital signage is powerful and has the ability to draw in a viewer, captivate them, and bring them to another world — it provides a truly transformative experience. This impact is felt across industries and when we look at the education space in particular, signage has made immeasurable improvements.
       
      Samsung partnered with the University of Wales Trinity Saint David to launch an unparalleled learning environment. The Immersive Room, equipped with 18 meters of Samsung LED screens across three walls provides incredible picture quality, detail, contrast, and color reproduction. Most importantly, its 12K image resolution empowers the University to push the boundaries of learning as the LED screens create virtual and augmented reality experiences and present a futuristic learning environment utilizing digital signage.
       
      The University of Wales’ immersive space was an “Education Project of the Year” Finalist at the AV Awards 2023, recognized for the innovation it brings to education.
       

      ▲ University of Wales Trinity Saint David transforms education with a state-of-the-art immersive room and impressive learning spaces. The three LED walls that make up the immersive space are equipped with 18 meters of Samsung LED signages across three walls.
       
      Similarly, Syracuse University in the US deployed The Wall in its S.I Newhouse School of Public Communications, drawing in prospective students by highlighting students’ accomplishments and the school’s world-class learning environment. The Wall creates a ‘wow factor,’ leaving a lasting impression during campus tours.
       
      ▲ The Wall showcases inspiring stories of Syracuse student achievements and accomplishments, helping prospective students envision their successful future at the University.
       
      Now, teachers can begin their lessons sooner, and spend more time creating immersive, connected learning experience for students. This impact isn’t going unnoticed, and in fact, Samsung announced the new Interactive Display (Model name: WAC) designed for simplicity and students at British Educational Training and Technology (Bett), the world’s largest education technology exhibition and International Society for Technology in Education (ISTE) this year.
       
      When we think back on the impact Samsung has had on education, it’s apparent that it comes in all forms. Samsung’s interactive display, Flip Pro, provides an extended learning experience for teachers and students at the Hogg New Tech Center in Dallas, Texas.
       
      With its comprehensive range of display solutions from The Wall and LED signage, to Interactive displays, Samsung was also recognized as the Best Overall IT Solution Provider for the Education Market by the 2023 EdTech Breakthrough Awards.
       
      ▲ Hogg New Tech Center uses Samsung Flip Pro interactive display (Model name: WMB) to facilitate interactive learning and collaboration through multi-touch features and various connectivity options
       
       
      More Than a Vision: Bringing Ideas to Life as a Digital Art Platform
      Whether with a global audience or at a local school, Samsung’s immersive environments power learning, celebrations, content consumption and much more. But digital signage is an art too, and as Samsung continues to embrace its role as a media art platform, it’s enabling creatives to truly bring their vision to life.
       
      The Wall for Virtual Production (Model name: IVC), which launched earlier this year, is an example of how companies, producers and creatives alike are creating and displaying their art with unparalleled quality. This addition to The Wall product line up enables creatives to use ultra-large LED walls to create virtual content, integrating them with real-time visual effects technology to reduce the time and cost of content production. The latest addition to The Wall series makes production faster and easier in TV, film and other industries, and was highlighted during industry events including InfoComm 2023 and IBC (International Broadcasting Convention) 2023.
       
      ▲ The Wall for Virtual Production makes production faster and easier in TV, film, and other creative industries
       
      Samsung is bringing other art forms to life too. Recently, it displayed a masterpiece by contemporary Korean art leader, the late Park Seo-Bo, on The Wall All-in-One (IAB model) at New York’s Rockefeller Center. The first digital rendition of Park Seo-Bo’s iconic “Écriture” series (Video art title: [1 OF 0], directed by Jifan Park) is on The Wall’s immersive 146-inch 4K screen. The Wall All-in-One provides an awe-inspiring visual experience that replicates the intense colors and intricate textures of Park’s painting, allowing visitors to be fully immersed in the artwork. Dutch-American audiovisual artist, 0010×0010, also held an exhibition in Bangkok, Thailand that redefined the boundaries of modern art and explores the convergence of the digital and physical worlds — all by utilizing The Wall All-in-One.
       

      ▲ The first digital rendition of the late Park Seo-Bo’s iconic “Écriture” series (Video art title: [1 OF 0], directed by Jifan Park) is on The Wall’s immersive 146-inch 4K screen.
        Samsung’s Smart Signage is revolutionizing various sectors by creating immersive, interactive environments in every corner of the world. Whether it’s an ultra-luxury resort in Dubai, an immersive and futuristic classroom at the University of Wales, or a video art exhibition by a renowned artist, Samsung’s Smart Signage is making profound impacts globally, and our lives more colorful and enriching. This journey, spanning over the last 14 years, has continuously redefined the very experience of digital communication, pushing the boundaries of what’s possible. We can’t wait to see what the future holds for Samsung’s Smart Signage, which has been ranked No. 1 in the industry for 14 consecutive years.
       
       
      1 Fortune Business Insights; The global digital signage market size stood at USD 19.78 billion in 2018 and is projected to reach USD 35.94 billion by 2026, exhibiting a CAGR of 7.8% during the forecast period (2019-2026)
      2 Samsung has maintained its No. 1 position as the leading LCD signage brand in market share for 14 consecutive years, as reported in the Omdia Q2 2023 Public Display Report. Samsung has also been the number one in combined sales for LCD and LED signage (The LED Video Display History Report provides sales data for LED signage from 2017 onwards; comprehensive data for LED signage sales is not available prior to 2017). Note. Consumer TVs, along with Commercial Lite and Hospitality TVs used for signage are excluded.
      3 Gartner; The Total Experience Strategy for Better Retail Digital Interactions
      View the full article





×
×
  • Create New...