Quantcast
Jump to content


Galaxy S23 Ultra hands-on video leaks ahead of launch event


BGR

Recommended Posts

Samsung Galaxy S22 Ultra

Samsung’s Galaxy S23 launch event is coming on February 1st, but we don’t have to wait to see the Ultra flagship in a hands-on video. If the huge number of Galaxy S23 leaks wasn’t enough to help you decide whether or not to purchase one of the three S23 variants, we now have purported videos out in the wild of the most expensive option.

Apparently, stores are already getting their Galaxy S23 supply in ahead of the February 1st launch event. Preorders will follow right after the press conference, and we expect the three Galaxy S23 handsets to hit stores a couple of weeks later.

These stores have the balls to put these unreleased phones on display and share the pictures of those phones to the internet WITH the serial numbers uncensored.

Just less than two weeks before the event.

I’m getting more excited now. pic.twitter.com/s5WOHe85eF

— Alvin (@sondesix) January 21, 2023

The Galaxy S23 Ultra hands-on videos below reportedly come from Nicaragua, where some stores shared Galaxy S23 content online well ahead of the phone’s launch:

Galaxy S23 Ultra in Green. pic.twitter.com/OEMkAEaKiG

— Alvin (@sondesix) January 21, 2023

One of the clips shows the Galaxy S23 Ultra’s full design. The new Note successor matches previous leaks, not that we expected surprises. We have a large display with curved bezels and flat top and bottom sides. On the back, there’s a massive camera with no fewer than four distinct lenses, including the brand-new 200-megapixel shooter.

This isn’t a dummy unit, either. The Galaxy S23 Ultra in these clips appears to be a retail version. The person who posted the clips also shared a test of the Galaxy S23 Ultra’s zoom camera in action.

Galaxy S23 Ultra.

The store who has the phone is already making a few camera tests. 👀

This one is a zoom test. pic.twitter.com/Ei7jzaqQUj

— Alvin (@sondesix) January 21, 2023

Moreover, other images seem to confirm some of the Galaxy S23 Ultra camera’s specs and features. The handset features a 200-megapixel sensor, according to the camera interface. That must be the new Isocell HP2 camera that Samsung just announced. And the camera supports 8K video recording at 30fps.

This is the Galaxy S23 Ultra in all of its colours: Phantom Black, Green, Cream, and Lavender! 👀 pic.twitter.com/KO2wtHBU7n

— Alvin (@sondesix) January 21, 2023

Separately, the Nicaraguan retail store that posted the hands-on videos also shared photos showing the Galaxy S23, S23 Plus, and S23 Ultra. As you can see, the images confirm some of the colors Samsung will offer Galaxy S23 buyers at launch. The Galaxy S23 Ultra will get Green, Cream, Phantom Black, and Lavender options if this leak is accurate.

Finally, Evan Blass posted online posters for the Galaxy S23 preorder event that seemingly corroborated the leaks from Nicaragua.

Galaxy S23 series promotional materials shared by @evleaks.

The colours are growing on me, but I don't know if I'm going to like them more than the S22 series' colours. pic.twitter.com/ESIb2TUyug

— Alvin (@sondesix) January 23, 2023

The retail store didn’t leak the local pricing details for the Galaxy S23 series. Word on the street is that Samsung will keep Galaxy S22 prices in place in the US, while international buyers will see price hikes for all three Galaxy S23 models.

The post Galaxy S23 Ultra hands-on video leaks ahead of launch event appeared first on BGR.

View the full article

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 Galaxy Fold devices have taken the mobile industry by storm, offering users a revolutionary way to interact with their applications. One of their key features is the rear display mode that enables users to continue their tasks seamlessly on the cover display while the main display remains turned off. Jetpack WindowManager has introduced APIs to enable this mode programmatically, and starting from One UI 6.0, developers can now utilize these APIs to integrate rear display mode into their applications, enhancing usability and maximizing the potential of foldable devices.
      In this blog post, we dive deeper into implementing Jetpack WindowManager's rear display mode in a camera application. By leveraging this mode, users can take selfies with superior image quality using the rear camera instead of the front camera. Join us as we explore the exciting possibilities of foldable technology and uncover how to optimize your applications for the Samsung Galaxy Fold.
      You can download the sample camera application here.
      CameraXApp.zip (623.3 KB) Sep 26, 2024 Step 1: Add the WindowManager library into the project
      WindowManager, a Jetpack library introduced by Google, supports rear display mode starting from version 1.2.0-beta03. To add the WindowManager library, go to Gradle Scripts > build.gradle (Module: app) and enter the following to the dependencies block:
      implementation "androidx.window:window:1.3.0" Step 2: Implement the WindowAreaSessionCallback interface in MainActivity.kt
      The WindowAreaSessionCallback interface updates an Activity about when the WindowAreaSession is started and ended. Using the onSessionStarted method, this interface provides the current WindowAreaSession as soon as a new window session is started.
      class MainActivity : AppCompatActivity() , WindowAreaSessionCallback { … override fun onSessionEnded(t: Throwable?) { if(t != null) { println("Something was broken: ${t.message}") } } override fun onSessionStarted(session: WindowAreaSession) { } } Step 3: Declare variables
      The WindowAreaController provides information about the moving windows between the cover display and the main display of the Galaxy Fold device.
      The WindowAreaSession interface provides an active window session in the onSessionStarted method.
      WindowAreaInfo represents the current state of a window area. It provides a token which is used later to activate rear display mode.
      WindowAreaCapability.Status represents the availability and capability status of the window area defined by the WindowAreaInfo object. We utilize this status to change the UI of our application. The status of the Galaxy Fold device can be one of the following:
      WINDOW_AREA_STATUS_ACTIVE: if the cover display is currently active.
      WINDOW_AREA_STATUS_AVAILABLE: if the cover display is available to be enabled.
      WINDOW_AREA_STATUS_UNAVAILABLE: if the cover display is currently not available to be enabled.
      WINDOW_AREA_STATUS_UNSUPPORTED: if the Galaxy Fold device is running on Android 13 or lower.
      private lateinit var windowAreaController: WindowAreaController private var windowAreaSession: WindowAreaSession? = null private var windowAreaInfo: WindowAreaInfo? = null private var capabilityStatus: WindowAreaCapability.Status = WindowAreaCapability.Status.WINDOW_AREA_STATUS_UNSUPPORTED private val operation = WindowAreaCapability.Operation.OPERATION_TRANSFER_ACTIVITY_TO_AREA Step 4: Create an instance of WindowAreaController in the onCreate method
      windowAreaController = WindowAreaController.getOrCreate() Step 5: Set up a flow to get information from WindowAreaController
      In the onCreate() method, add a lifecycle-aware coroutine to query the list of available WindowAreaInfo objects and their status. The coroutine executes each time the lifecycle starts.
      lifecycleScope.launch(Dispatchers.Main) { lifecycle.repeatOnLifecycle(Lifecycle.State.STARTED) { windowAreaController.windowAreaInfos .map { info -> info.firstOrNull { it.type == WindowAreaInfo.Type.TYPE_REAR_FACING } } .onEach { info -> windowAreaInfo = info } .map { it?.getCapability(operation)?.status ?: WindowAreaCapability.Status.WINDOW_AREA_STATUS_UNSUPPORTED } .distinctUntilChanged() .collect { capabilityStatus = it updateUI() } } } Step 6: Update the UI according to the device's WindowAreaCapability.Status
      private fun updateUI() { if(windowAreaSession != null) { viewBinding.switchScreenButton.isEnabled = true } else { when(capabilityStatus) { WindowAreaCapability.Status.WINDOW_AREA_STATUS_UNSUPPORTED -> { viewBinding.switchScreenButton.isEnabled = false Toast.makeText(baseContext, "RearDisplay is not supported on this device", Toast.LENGTH_SHORT).show() } WindowAreaCapability.Status.WINDOW_AREA_STATUS_UNAVAILABLE -> { viewBinding.switchScreenButton.isEnabled = false Toast.makeText(baseContext, "RearDisplay is not currently available", Toast.LENGTH_SHORT).show() } WindowAreaCapability.Status.WINDOW_AREA_STATUS_AVAILABLE -> { viewBinding.switchScreenButton.isEnabled = true } WindowAreaCapability.Status.WINDOW_AREA_STATUS_ACTIVE -> { viewBinding.switchScreenButton.isEnabled = true Toast.makeText(baseContext, "RearDisplay is currently active", Toast.LENGTH_SHORT).show() } else -> { viewBinding.switchScreenButton.isEnabled = false Toast.makeText(baseContext, "RearDisplay status is unknown", Toast.LENGTH_SHORT).show() } } } } Step 7: Toggle to rear display mode with WindowAreaController
      Close the session if it is already active, otherwise start a transfer session to move the MainActivity to the window area identified by the token.
      While activating rear display mode, the system creates a dialog to request the user’s permission to allow the application to switch screens. This dialog is not customizable.
      private fun toggleRearDisplayMode() { if(capabilityStatus == WindowAreaCapability.Status.WINDOW_AREA_STATUS_ACTIVE) { if(windowAreaSession == null) { windowAreaSession = windowAreaInfo?.getActiveSession( operation ) } windowAreaSession?.close() } else { windowAreaInfo?.token?.let { token -> windowAreaController.transferActivityToWindowArea( token = token, activity = this, executor = displayExecutor, windowAreaSessionCallback = this ) } } } Step 8: Start the camera preview
      Call startCamera() when onSessionStarted is triggered by the WindowAreaSessionCallback interface.
      override fun onSessionStarted(session: WindowAreaSession) { startCamera() } Step 9: Add a button and set a listener to it for activating rear display mode
      <Button android:id="@+id/switch_screen_button" android:layout_width="110dp" android:layout_height="110dp" android:layout_marginStart="50dp" android:elevation="2dp" android:text="@string/switch_screen" app:layout_constraintBottom_toBottomOf="parent" app:layout_constraintBottom_toTopOf="@+id/horizontal_baseline" app:layout_constraintStart_toEndOf="@id/vertical_centerline" /> viewBinding.switchScreenButton.setOnClickListener{ updateUI() toggleRearDisplayMode() } Incorporating rear display mode into your application can significantly enhance user experience by providing more intuitive control and greater flexibility. By following the outlined steps, you can create a more dynamic and user-friendly interface. As technology continues to evolve, staying ahead with features like rear display mode can set your application apart and offer users a seamless, professional-quality experience. To learn more about developing applications for Galaxy Foldable devices, visit: developer.samsung.com/galaxy-z.
      View the full blog at its source
    • By Samsung Newsroom
      A sensor's maximum and minimum values are crucial for calibration, data interpretation, threshold setting, user interface, error handling, sensor selection, and performance optimization.
      Understanding the expected range of values helps identify and handle sensor errors or anomalies, and selecting the right sensor for the intended use case is essential. Efficient use of sensor data, especially in resource-constrained environments like mobile devices, can optimize data processing algorithms.
      The maximum and minimum values of sensors play a crucial role in the accurate and efficient functioning of sensor-based applications across various domains. In this tutorial, a wearable application is developed to collect the maximum and minimum ranges of sensors from a Galaxy Watch running Wear OS powered by Samsung. This tutorial shows how to retrieve all sensor ranges together, as well as from one specific sensor separately.
      Environment
      Android Studio IDE is used for developing the Wear OS application. In this tutorial, Java is used, but Kotlin can also be used.
      Let’s get started
      The SensorManager library is used here to collect sensor data from a Galaxy Watch running Wear OS powered by Samsung.
      Retrieve the maximum range of a sensor
      To get access and retrieve the maximum ranges from the sensor:
      In Android Studio, create a wearable application project by selecting New Project > Wear OS > Blank Activity > Finish. To access the sensor, add the body sensor in the application’s “manifests” file.
      <uses-permission android:name="android.permission.BODY_SENSORS" /> To run the application on devices with Android version 6 (API level 23) or later, you need runtime permission from the user to use the BODY_SENSORS APIs.
      Add the following code snippet to the onCreate() method before calling any sensor operations:
      if (checkSelfPermission(Manifest.permission.BODY_SENSORS) != PackageManager.PERMISSION_GRANTED) { requestPermissions(new String[]{Manifest.permission.BODY_SENSORS}, 1); } else { Log.d("TAG___", "ALREADY GRANTED"); } After this code executes, a pop-up window appears and requests permission from the user. The sensor APIs return values only if the user grants permission. The application asks for permission only the first time it is run. Once the user grants permission, the application can access the sensors.
      Figure 1: Permission screen
      More details about runtime permissions can be found here.
      Create an instance of the SensorManager library before using it in the code.
      private SensorManager sensorManager; sensorManager = (SensorManager)getSystemService(Context.SENSOR_SERVICE); To retrieve the maximum range of all sensors, create a sensor list using API Sensor.TYPE_ALL.
      List<Sensor> sensors = sensorManager.getSensorList(Sensor.TYPE_ALL); ArrayList<String> arrayList = new ArrayList<String>(); for (Sensor sensor : sensors) { if (sensor != null) { arrayList.add(sensor.getName()); arrayList.add(sensor.getMaximumRange() + ""); arrayList.add(sensor.getResolution() + ""); } } arrayList.forEach((n) -> System.*out*.println(n)); The above code shows the sensor name, maximum range, and resolution. You can get all the available data from the sensors, such as type, vendor, version, resolution, maximum range, and power consumption, by applying this same approach.
      Remember, sensor information may vary from device to device.
      Additionally, not every sensor that appears in the logcat view is accessible. Third-party applications are still not allowed to access Samsung's private sensors using the Android SensorManager. You get a “null” value if you try to access the private sensors.
      Moreover, there are no plans to make these sensors available to the public in the near future.
      You can check my blog Check Which Sensor You Can Use in Galaxy Watch Running Wear OS Powered by Samsung to find out which sensors are accessible on your Galaxy Watch and which are not.
      Retrieve the minimum range of a sensor
      The minimum range is the complement of maximum range.
      If the maximum range is x, then the minimum range can be calculated like this: x*(-1) = -x.
      If a specific sensor value should always be absolute, then the minimum range is zero (0).
      There is no direct API available to retrieve the minimum range of sensors from Galaxy Watch.
      Get a specific sensor value
      To get specific sensor values from a Galaxy Watch, you can filter the sensor list or use the getDefaultSensor() method. Here is an example that demonstrates how to do this. Add the necessary permission in the “manifests” file for the accelerometer sensor:
      <uses-feature android:name="android.hardware.sensor.accelerometer" /> Use the following code in your Activity or Fragment to retrieve the accelerometer data:
      sensor = sensorManager.getDefaultSensor(Sensor.TYPE_ACCELEROMETER); if (sensor != null) { textView_maxV.setText(textView_maxV.getText() + "" + sensor.getMaximumRange() + ""); textView_resolution.setText(textView_resolution.getText() + "" + sensor.getResolution() + ""); } Ensure you have added the TextView element to your XML file. Output of the above code:
      Figure 2: Maximum range and resolution of the accelerometer
      Remember, sensor ranges may vary from device to device. You may get different values for different Galaxy Watch models.
      Download the example from this blog:
      SensorMinxMax (313.2KB) Sep 10, 2024 Summary
      This article demonstrates how you can retrieve the maximum and minimum ranges of sensors from your Galaxy Watch running Wear OS powered by Samsung. You can also use the above approaches to get other necessary available information from the watch that can be used for the precise and effective operation of sensor-based applications in a variety of fields.
      If you have any questions about or need help with the information in this article, you can reach out to us on the Samsung Developers Forum or contact us through Developer Support.
      View the full blog at its source
    • By BGR
      The Galaxy S22 has been a big success for Samsung so far, but the new flagship series isn’t without problems or controversies. The latest issue concerns the Galaxy S22 Ultra, as Samsung’s new Note model seems unable to hold a GPS connection.
      That’s the kind of problem that would impact any app that relies on location data. You’ll need GPS for Google Maps and other navigation apps. And you’ll also be using it whenever you want to share your location with someone else.
      Don't Miss: Wednesday’s deals: $50 Echo Buds, secret Fire TV deal, Oral-B sale, Samsung monitors, more The current controversies
      Before we get to the GPS issues, let’s look at the Galaxy S22’s other problems.
      I’ve recently highlighted four reasons not to buy the Galaxy S22, even when better price deals arrive. One of those concerns the Galaxy S22’s ability to survive drops, but it’s immediately fixable. The Galaxy S22 Ultra seems especially fragile in such accidents. You can reduce the risk by getting protective accessories from the first day.
      We then have Samsung misleading buyers regarding the Galaxy S22 and Galaxy S22 Plus display efficiency. Similarly, the 45W fast charging support available on the Plus and the Galaxy S22 Ultra seems to be a marketing gimmick.
      The most important issue concerns the phone’s performance. The throttling issue that was widely covered in the past few weeks might be hiding a more significant problem with Samsung’s flagships. It might be a chip a cooling issue. Samsung said in an explanation to shareholders that it hasn’t been cutting costs, however.
      That’s to say that the Galaxy S22 series is already drawing attention for the kind of faults you wouldn’t expect from a flagship. The GPS signal loss problem falls in the same category.
      Samsung Galaxy S22 Ultra in white, with stylus. Image source: Samsung The Galaxy S22 Ultra GPS problems
      Addressing camera quality issues, leaker Ice Universe also observed on Twitter that the Galaxy S22 is the best-selling Samsung flagship in years. But also the one suffering from the most problems. The leaker previously criticized Samsung for the throttling issue.
      The GPS connectivity complaints come from elsewhere, however. Android World detailed the problem, explaining that Galaxy S22 Ultra users would encounter GPS issues from the first boot. The problem can persist even after updates, and the GPS won’t work.
      A post on a Samsung Community forum in Europe has some 202 replies showing that some Galaxy S22 Ultra buyers have experienced the GPS problem. But the issue doesn’t appear to be widespread at the moment.
      There’s no fix for it either. The blog notes that resetting the APN settings might work. You can also consider resetting network settings. Whatever it is, it might be a problem with the phone rather than apps that need location data to work.
      If you’ve experienced any Galaxy S22 Ultra GPS issues, you can consider reaching out to Samsung for help.
      The post Some Galaxy S22 Ultra units might have a GPS connectivity issue appeared first on BGR.
      View the full article
    • By Samsung Newsroom
      Samsung Electronics today announced the global launch of its 2024 Odyssey OLED gaming monitor, Smart Monitor and ViewFinity monitor lineups.
       
      These new and updated models bring features that people want — as well as some they don’t expect — to deliver new experiences, no matter how they use their monitors. The Odyssey lineup brings a next-level OLED experience and new AI capabilities1 to the Odyssey OLED G8; the Smart Monitor lineup heightens joy with more enhanced entertainment features, plus the Smart Monitor M8 powered by AI; and the ViewFinity lineup boosts connectivity to create a complete workstation.
       
      “Our latest monitor lineups deliver a breadth of options to users globally and create better experiences, no matter how people use them,” said Hoon Chung, Executive Vice President of Visual Display Business at Samsung Electronics. “From the groundbreaking AI-powered Odyssey OLED gaming monitor to multi-device experiences in the Smart Monitor and ViewFinity lineups, Samsung remains committed to redefining the market and delivering cutting-edge technologies to users everywhere.”
       
       
      Odyssey OLED Series: Visual Excellence With New Burn-In Prevention Features

       
      The 2024 Odyssey OLED models expand Samsung’s offerings of next-generation OLED performance with the new Odyssey OLED G8 (G80SD model) and Odyssey OLED G6 (G60SD model).
       
      The Odyssey OLED G8 is the first flat 32” Samsung OLED gaming monitor with 4K UHD (3840 x 2160) resolution and a 16:9 aspect ratio. It has a 240Hz refresh rate and 0.03ms gray-to-gray (GtG) response time for ultra smooth and responsive gameplay. The Odyssey OLED G6 is a 27” QHD (2560 x 1440) resolution monitor, supporting a 16:9 aspect ratio. Its 360Hz refresh rate and 0.03ms GtG response time make it easy for gamers to keep up with fast-moving gameplay.
       

       
      The new Odyssey OLED G8 is Samsung’s first OLED gaming monitor powered by AI. The NQ8 AI Gen3 processor, which is the same processor Samsung uses in its 2024 8K TV, upscales content to nearly 4K when using Samsung Gaming Hub2 and the monitor’s native Smart TV apps for higher resolution in gaming and entertainment.3

       
      Both new OLED models feature Samsung OLED Safeguard+, a new proprietary burn-in protection technology. This technology is the first in the world to prevent burn-in by applying a pulsating heat pipe to the monitor. Additionally, the Dynamic Cooling System evaporates and condenses a coolant to diffuse heat five times more effectively than the older graphite sheet method, which prevents burn-in by reducing temperature at the core. The monitor also detects static images like logos and taskbars, automatically reducing their brightness to provide another means of burn-in prevention.4
       
      The Odyssey OLED G8 and OLED G6 both deliver unmatched OLED picture quality with a brightness of 250 nits (Typ.), while FreeSync Premium Pro keeps the GPU and display panel synced up to eliminate choppiness, screen lag and screen tearing.
       
      Samsung’s new OLED Glare Free technology5 also preserves color accuracy and reduces reflections while maintaining image sharpness to ensure an immersive viewing experience, even in daylight. The OLED-optimized, low-reflection coating overcomes the trade-off between gloss and reflection thanks to a new, specialized hard-coating layer and surface coating pattern.
       
      Both monitors feature a super slim metal design that gives them a distinct identity, while Core Lighting+ enhances entertainment and gaming experiences with ambient lighting that synchronizes with the screen. The ergonomic stand also makes long sessions more comfortable with adjustable height, plus tilt and swivel support.
       
      The new Odyssey OLED monitors are the next entry to expand Samsung’s OLED monitor market leadership. Their release comes after Samsung achieved the top position in global sales in the OLED monitor market within only one year of launching its first OLED model.6 This achievement underscores Samsung’s rapid ascent in the competitive landscape of OLED monitors while reinforcing its commitment to diversifying its gaming monitor lineup with models that leverage the company’s proprietary OLED technology.
       
       
      Smart Monitor M8: AI Processing for Crystal Clear Video and Audio

       
      The updated Smart Monitor lineup brings together a complete multi-device experience into one hub for smarter entertainment and greater productivity. The upgraded 2024 models include the M8 (M80D model), M7 (M70D model) and the M5 (M50D model).
       
      The upgraded 32” 4K UHD Smart Monitor M8 introduces new features powered by AI with the NQM AI processor, taking entertainment experiences to the next level. AI upscaling brings lower resolution content up to nearly 4K,7 and Active Voice Amplifier Pro uses AI to analyze background noise in the user’s environment to optimize dialogue in the user’s content.8 360 Audio Mode9 is available on the M8, which pairs with Galaxy Buds to create an immersive sound environment. The built-in SlimFit Camera also makes it easy to conduct video calls through mobile applications with Samsung Dex.10
       
      New to the entire line of Smart Monitors is a Workout Tracker,11 which pairs with a Galaxy Watch to enable real-time health data on the screen, even while streaming content. This makes it easier to track workout goals and can make working out more enjoyable.
       
      These new features enhance the already impressive Smart Monitor functionality. Smart TV apps and Samsung TV Plus12 provide instant access to a wide range of streaming services and live content, without needing to boot up a PC or connect to other devices.13
       
      The M7 is available in 32” and 43” with 4K UHD (3840 x 2160) resolution, a brightness of 300 nits (Typ.) and a gray to gray (GtG) response time of 4ms. The M5 is available in 27” and 32”, with FHD resolution (1920 x 1080), a brightness of 250 nits (Typ.) and a GtG response time of 4ms.
       
       
      ViewFinity Series: Maximizing Creativity and Ease of Use

       
      Optimized for creatives and professionals and built with responsible practices, the latest ViewFinity lineup includes the ViewFinity S8 (S80UD and S80D models), ViewFinity S7 (S70D model) and the ViewFinity S6 (S60UD and S60D models).
       
      The updated 2024 ViewFinity monitors14 help recycling efforts by being made with a minimum of 10% recycled plastic and not applying chemical sprays to the plastic components.15 The packaging also uses glue instead of staples for easier disassembly.
       
      The Easy Setup Stand is put together with one quick click, requiring no tools or screws, making it fast and easy to set up and enjoy the ViewFinity’s vibrant display. Every 2024 ViewFinity monitor supports HDR10 and the display of 1 billion colors, ensuring accurate color representation, while also integrating TÜV-Rheinland-certified Intelligent Eye Care features to alleviate eye strain during prolonged work periods.
       
      The ViewFinity S8 offers 27” and 32” screen options, each with 4K UHD (3840 x 2160) resolution, a refresh rate of 60Hz and a brightness of 350 nits (Typ.). They also feature a USB hub for easy connectivity and a height-adjustable stand. The S80UD model includes a new KVM switch for easy connection and switching between two different input devices, as well as a USB-C port that allows users to charge devices with up to 90W of power.
       

      The ViewFinity S7 is available in 27” and 32” options, each with UHD 4K (3840 x 2160) resolution, a brightness of 350 nits (Typ.) and a refresh rate of 60Hz. The ViewFinity S6 is available in 24”, 27” and 32” options, each with QHD (2560 x 1440) resolution, a refresh rate of 100Hz and a brightness of 350 nits (Typ.), including a USB hub and height-adjustable stand. The S60UD model also includes a built-in KVM switch and a USB-C port (up to 90W charging).
       
      For more information on Samsung’s 2024 monitor lineups, please visit www.samsung.com.
       
       
      Product Specifications
      Odyssey OLED Series
        Model
      G80SD G60SD
       Display Screen Size 32”/ 16:9 / Flat 27” / 16:9 / Flat Panel Type OLED OLED Brightness (Typ.) 250 cd/m2 250 cd/m2 Refresh Rate 240Hz 360Hz Resolution 3840 x 2160 2560 x 1440 Glare Type OLED Glare Free OLED Glare Free Response Time GtG 0.03ms GtG 0.03ms  Interface
      Interface 2 HDMI (2.1), 1 DP (1.4), 3 USB 3.0 (1 Up, 2 Down)
      2 HDMI (2.1), 1 DP (1.4), 3 USB 3.0 (1 Up, 2 Down)
       Features Smart Yes – Built-in Speaker Yes – Sync Tech AMD FreeSync Premium Pro AMD FreeSync Premium Pro Burn-in Protection Yes (Samsung OLED Safeguard+) Yes (Samsung OLED Safeguard+)  Design
      Stand Type HAS/Tilt/Swivel/Pivot/VESA HAS/Tilt/Swivel/Pivot/VESA  
      Smart Monitor Series
        Model
      M80D M70D M50D
        Screen Size 32” 43”, 32” 32”, 27”   Panel Type VA, Flat VA, Flat VA, Flat Brightness (Typ.) 400 cd/m2 300 cd/m2 250 cd/m2  Display
      Refresh Rate 60Hz 60Hz 60Hz Contrast Ratio 3,000:1 (Typ.) 32”: 3,000:1 (Typ.) 43”: 5,000:1(Typ.)
      3,000:1 (Typ.)   Resolution 3840 x 2160 3840 x 2160 1920 x 1080   Response Time 4ms (GtG) 4ms (GtG) 4ms (GtG)   HDR Yes (HDR 10+) Yes (HDR 10) Yes (HDR 10)  AI Technology 4K Upscaling Yes – – Active Voice Amplifier Pro Yes – –  Smart
      VOD (Netflix, YouTube, etc.) Yes Yes Yes Gaming Hub Yes Yes Yes IoT Hub Yes (Built-in) Yes (Dongle Support) Yes (Dongle Support) Voice Assistant Yes (Far Field Voice) Yes (Far Field Voice) – Workspace Yes Yes Yes Multi View 2 screens (Full Screen) 2 Screens 2 Screens  MDE feature
      Multi Control Yes Yes Yes 360 Audio Mode Yes – – Workout Tracker Yes Yes Yes  Interface Mouse & Keyboard control (with ESB) Yes Yes – Interface 1 HDMI (2.0), 2 USB-A, 1 USB-C (65W) 2 HDMI (2.0), 3 USB-A, 1 USB-C (65W) 2 HDMI (1.4), 2 USB-A Camera In-Box (Slim Fit Camera) Compatible Compatible Speaker 5W x 2 43”: 10W x 2 32”: 5W x 2
      5W x 2  Eye Care
      Adaptive Picture Yes Yes Yes Eye Saver Mode / Flicker Free Yes Yes Yes  Design
      Iconic Slim Design Yes – – Color Warm White Black/White Black/White Stand HAS, Pivot, Tilt Simple Simple

       
      ViewFinity Series
        Model
      S80UD S80D S70D S60UD S60D
        Screen Size 27”/32” 27”/32” 27”/32” 24”/27”/32” 24”/27”/32”   Panel Type IPS (27”) / VA (32”) IPS (27”) / VA (32”) IPS (27”) / VA (32”) IPS IPS Brightness (Typ.) 350 nits 350 nits 350 nits 350 nits 350 nits  Display
      Refresh Rate 60Hz 60Hz 60Hz 100Hz 100Hz Resolution 3840 x 2160 3840 x 2160 3840 x 2160 2560 x 1440 2560 x 1440   Color Gamut sRGB 99% sRGB 99% sRGB 99% sRGB 99% sRGB 99%  Interface
      Interface 1 USB-C (90W) 1 HDMI (2.0)
      1 DP (1.2)
      USB Hub (Up/3Dn)
      1 HDMI (2.0) 1 DP (1.2)
      USB Hub (1Up/3Dn)
      1 HDMI (2.0) 1 DP (1.2)
      1 USB-C (90W) 1 HDMI (2.0)
      1 DP (1.4)
      1 DP out (1.4)
      USB Hub (1Up/3Dn)
      1 HDMI (2.0) 1 DP (1.4)
      HDMI, DP, USB Hub (1Up/3Dn)
       Feature LAN Yes – – Yes – Daisy Chain – – – Yes – KVM Switch Yes – – Yes – Intelligent Eye Care Yes Yes Yes Yes Yes  Design Stand Type HAS Easy Setup Stand
      HAS Easy Setup Stand
      Simple Easy Setup Stand
      HAS Easy Setup Stand
      HAS Easy Setup Stand
      VESA 100 x 100 100 x 100 100 x 100 100 x 100 100 x 100  
      1 AI features available in G80SD, M80D only.
      2 Gaming Hub is available in limited countries, with app availability differing by country.
      3 AI upscaling works only when using the built-in Smart TV apps and Samsung Gaming Hub (PQ priority mode).
      4 Logo detection is active in AV mode only.
      5 UL’s verification validates the ‘OLED Glare Free’ claim by assessing the products against Unified Glare Rating (UGR) testing standard set by the International Commission on Illumination (CIE) and testing standard set by the International Organization for Standardization.
      6 IDC Q4 2023 Worldwide Quarterly Gaming Tracker
      7 AI upscaling works only when using the built-in Smart TV apps and Samsung Gaming Hub (PQ priority mode).
      8 Active Voice Amplifier Pro is only available in the built-in Smart TV apps.
      9 360 Audio and head tracking support may vary depending on the application and content. Supported devices include the Galaxy Buds 2 Pro / 2 / Pro / Live and can be updated without notice.
      10 SlimFit Camera compatibility with Samsung DeX requires a USB-C connection to a Galaxy S23 or later, Fold 5, or Tab S9 with One UI 6.1.1 or above.
      11 Supported devices include Galaxy Watch 4 or later with Galaxy Mobile (One UI 4.1.1 and above) with latest software version. Devices must be logged into the same Samsung account. Place your watch and mobile device near your screen to use Workout Tracker.
      12 Samsung account required for Samsung TV Plus. Supported Samsung devices and channels may vary by region and are subject to change without prior notice. Additional settings may be required to use these functions. Ads may appear on Samsung TV Plus.
      13 Internet access is required.
      14 S60UD, S60D, S70D, S80UD, S80D only.
      15 The percentage of recycled material, which may vary by component, is calculated based on the total weight of the plastic used on the product. (weight of recycled materials/total weight of plastic).
      View the full article





×
×
  • Create New...