دسته: اخبار اندروید

  • Pixel’s Call Notes hints at automatic call recording for the US

    Pixel’s Call Notes hints at automatic call recording for the US


    Pixel 9 phone app

    Mishaal Rahman / Android Authority

    TL;DR

    • Pixel 9 phones in the US currently require manually activating Call Notes on every call to record, transcribe, and summarize them.
    • Google has been spotted testing automatic call recording within the Call Notes feature, indicating that automatic call recording could finally make its way to the US.
    • However, Google has previously stated that automatic activation wasn’t meant for public release and was limited to internal testing only. So the fate of the feature remains in the air.

    The Google Phone app, which is preloaded on several Android flagships, offers call recording in several regions globally, but not in the US (even though you can legally record calls in most states after adequate consent). Instead, users in the US have to use the Pixel 9’s Call Notes feature to record a phone call. However, Call Notes is only available per call, requiring users to consciously activate it whenever they want to record, transcribe, or summarize a phone call. Now, Google has been spotted working on automatic call recording within the Call Notes feature that would make life a lot easier, but we aren’t sure if the company ever plans to release it.

    You’re reading an Authority Insights story on Android Authority. Discover Authority Insights for more exclusive reports, app teardowns, leaks, and in-depth tech coverage you won’t find anywhere else.

    An APK teardown helps predict features that may arrive on a service in the future based on work-in-progress code. However, it is possible that such predicted features may not make it to a public release.

    Currently, on Pixel 9 series devices in the US, you can activate the Call Notes feature during a call to start recording it and receive an AI-generated summary and even the call transcript.

    However, this action is deliberate and manual, as you have to activate the feature by tapping the Call Notes button during every call you want to record. Needless to say, it’s pretty cumbersome if you want to use the feature on many calls.

    But what if you could generate call notes automatically? Google was spotted deliberating on the idea in August 2024, with settings to automatically start Call Notes for various phone calls.

    However, in a statement to Android Police back then, a Google spokesperson mentioned that the code related to automatic activation wasn’t meant for public release and was limited to internal testing only. Consequently, automatic Call Notes did not roll out to Pixel 9 users in the US at the time.

    Curiously, these options still exist within the Phone by Google app. With Phone v172.0 beta, Google has now tweaked the automatic Call Notes option to Automatic Call Recording, switching from an automatic summary to automatic recording. The options are also now limited to these two:

    1. Automatically record unknown numbers
    2. Automatically record these numbers

    We managed to activate the settings page for the feature, and here’s what it looks like right now:

    The above-mentioned new options are similar to the Call Recording settings, which users in several countries already have.

    However, the US doesn’t have the Call Recording feature in the Phone by Google app, so this is one roundabout way of bringing that functionality to the region. The revised settings also don’t mean Call Notes will automatically summarize or transcribe the recordings. But, presuming you have the recordings stored for later use, you can always select to do so later on calls that you need summaries and transcriptions for, so it won’t be all that inconvenient.

    It remains to be seen whether Google finally allows US users to automatically record calls and work its Call Notes magic. For now, users in the US must stick to the manual and cumbersome method of individually beginning Call Notes for every call they need to record, transcribe, and summarize. Given its utility and the progress the company has already made on the feature, we hope it will be released soon.

    Got a tip? Talk to us! Email our staff at news@androidauthority.com. You can stay anonymous or get credit for the info, it’s your choice.



    Source link

  • Android Developers Blog: Get ready for Google I/O: Program lineup revealed



    Posted by the Google I/O team

    The Google I/O agenda is live. We’re excited to share Google’s biggest announcements across AI, Android, Web, and Cloud May 20-21. Tune in to learn how we’re making development easier so you can build faster.

    We’ll kick things off with the Google Keynote at 10:00 AM PT on May 20th, followed by the Developer Keynote at 1:30 PM PT. This year, we’re livestreaming two days of sessions directly from Mountain View, bringing more of the I/O experience to you, wherever you are.

    Here’s a sneak peek of what we’ll cover:

      • AI advancements: Learn how Gemini models enable you to build new applications and unlock new levels of productivity. Explore the flexibility offered by options like our Gemma open models and on-device capabilities.
      • Build excellent apps, across devices with Android: Crafting exceptional app experiences across devices is now even easier with Android. Dive into sessions focused on building intelligent apps with
        Google AI and boosting your productivity, alongside creating adaptive user experiences and leveraging the power of Google Play.
      • Powerful web, made easier: Exciting new features continue to accelerate web development, helping you to build richer, more reliable web experiences. We’ll share the latest innovations in web UI, Baseline progress, new multimodal built-in AI APIs using Gemini Nano, and how AI in DevTools streamline building innovative web experiences.

    Plan your I/O

    Join us online for livestreams May 20-21, followed by on-demand sessions and codelabs on May 22. Register today and explore the full program for sessions like these:

    We’re excited to share what’s next and see what you build!




    Source link

  • What’s new in the Jetpack Compose April ’25 release



    Posted by Jolanda Verhoef – Developer Relations Engineer

    Today, as part of the Compose April ‘25 Bill of Materials, we’re releasing version 1.8 of Jetpack Compose, Android’s modern, native UI toolkit, used by many developers. This release contains new features like autofill, various text improvements, visibility tracking, and new ways to animate a composable’s size and location. It also stabilizes many experimental APIs and fixes a number of bugs.

    To use today’s release, upgrade your Compose BOM version to 2025.04.01 :

    implementation(platform("androidx.compose:compose-bom:2025.04.01"))
    

    Note: If you are not using the Bill of Materials, make sure to upgrade Compose Foundation and Compose UI at the same time. Otherwise, autofill will not work correctly.

    Autofill

    Autofill is a service that simplifies data entry. It enables users to fill out forms, login screens, and checkout processes without manually typing in every detail. Now, you can integrate this functionality into your Compose applications.

    Setting up Autofill in your Compose text fields is straightforward:

    TextField(
      state = rememberTextFieldState(),
      modifier = Modifier.semantics {
        contentType = ContentType.Username 
      }
    )
    

    For full details on how to implement autofill in your application, see the Autofill in Compose documentation.

    Text

    When placing text inside a container, you can now use the autoSize parameter in BasicText to let the text size automatically adapt to the container size:

    Box {
        BasicText(
            text = "Hello World",
            maxLines = 1,
            autoSize = TextAutoSize.StepBased()
        )
    }
    

    moving image of Hello World text inside a container

    You can customize sizing by setting a minimum and/or maximum font size and define a step size. Compose Foundation 1.8 contains this new BasicText overload, with Material 1.4 to follow soon with an updated Text overload.

    Furthermore, Compose 1.8 enhances text overflow handling with new TextOverflow.StartEllipsis or TextOverflow.MiddleEllipsis options, which allow you to display ellipses at the beginning or middle of a text line.

    val text = "This is a long text that will overflow"
    Column(Modifier.width(200.dp)) {
      Text(text, maxLines = 1, overflow = TextOverflow.Ellipsis)
      Text(text, maxLines = 1, overflow = TextOverflow.StartEllipsis)
      Text(text, maxLines = 1, overflow = TextOverflow.MiddleEllipsis)
    }
    

    text overflow handling displaying ellipses at the beginning and middle of a text line

    And finally, we’re expanding support for HTML formatting in AnnotatedString, with the addition of bulleted lists:

    Text(
      AnnotatedString.fromHtml(
        """
        <h1>HTML content</h1>
        <ul>
          <li>Hello,</li>
          <li>World</li>
        </ul>
        """.trimIndent()
      )
    )
    

    a bulleted list of two items

    Visibility tracking

    Compose UI 1.8 introduces a new modifier: onLayoutRectChanged. This API solves many use cases that the existing onGloballyPositioned modifier does; however, it does so with much less overhead. The onLayoutRectChanged modifier can debounce and throttle the callback per what the use case demands, which helps with performance when it’s added onto an item in LazyColumn or LazyRow.

    This new API unlocks features that depend on a composable’s visibility on screen. Compose 1.9 will add higher-level abstractions to this low-level API to simplify common use cases.

    Animate composable bounds

    Last year we introduced shared element transitions, which smoothly animate content in your apps. The 1.8 Animation module graduates LookaheadScope to stable, includes numerous performance and stability improvements, and includes a new modifier, animateBounds. When used inside a LookaheadScope, this modifier automatically animates its composable’s size and position on screen, when those change:

    Box(
      Modifier
        .width(if(expanded) 180.dp else 110.dp)
        .offset(x = if (expanded) 0.dp else 100.dp)
        .animateBounds(lookaheadScope = this@LookaheadScope)
        .background(Color.LightGray, shape = RoundedCornerShape(12.dp))
        .height(50.dp)
    ) {
      Text("Layout Content", Modifier.align(Alignment.Center))
    }
    

    a moving image depicting animate composable bounds

    Increased API stability

    Jetpack Compose has utilized @Experimental annotations to mark APIs that are liable to change across releases, for features that require more than a library’s alpha period to stabilize. We have heard your feedback that a number of features have been marked as experimental for some time with no changes, contributing to a sense of instability. We are actively looking at stabilizing existing experimental APIs—in the UI and Foundation modules, we have reduced the experimental APIs from 172 in the 1.7 release to 70 in the 1.8 release. We plan to continue this stabilization trend across modules in future releases.

    Deprecation of contextual flow rows and columns

    As part of the work to reduce experimental annotations, we identified APIs added in recent releases that are less than optimal solutions for their use cases. This has led to the decision to deprecate the experimental ContextualFlowRow and ContextualFlowColumn APIs, added in Foundation 1.7. If you need the deprecated functionality, our recommendation for now is to copy over the implementation and adapt it as needed, while we work on a plan for future components that can cover these functionalities better.

    The related APIs FlowRow and FlowColumn are now stable; however, the new overflow parameter that was added in the last release is now deprecated.

    Improvements and fixes for core features

    In response to developer feedback, we have shipped some particularly in-demand features and bug fixes in our core libraries:

      • Make dialogs go edge to edge: When displayed full screen, dialogs now take into account the full size of the screen and will draw behind system bars.

    Get started!

    We’re grateful for all of the bug reports and feature requests submitted to our issue tracker – they help us to improve Compose and build the APIs you need. Continue providing your feedback, and help us make Compose better.

    Happy composing!



    Source link

  • Some Pixel 9 owners are convinced video quality just got worse

    Some Pixel 9 owners are convinced video quality just got worse


    Someone holding the Google Pixel 9 Pro outside.

    Joe Maring / Android Authority

    TL;DR

    • Owners of Pixel 9 family phones report stuttering and tearing video recorded from their cameras.
    • The issues seem to manifest when recording while zoomed in.
    • It’s possible a recent software update may be responsible

    Across the world of smartphones, the landscape is always evolving. Every day we see the arrival of new updates, apps, and firmware patches that change the mobile experience for users in myriad ways — both desired and not. And while some of those changes are quite conspicuous, others are much more difficult to characterize, and we’re left wondering if something’s truly different, or if we’re just imagining things. Right now, we find ourselves in just such that kind of situation, asking if Pixel 9 video recording quality is getting worse, or if we’re just hallucinating.

    While browsing Reddit’s GooglePixel sub the other day, we spotted a post from user oowwweee that caught our our eye, complaining about worse-than-expected video quality when filming on a Pixel 9 Pro XL past 3x zoom. Even though they were a pretty new owner of the phone, they noted that they only first observed the problem after installing the latest updates.

    We might write that off as new-user unfamiliarity, but a number of other owners of Pixel 9-series phones chimed in with their own complaints, and it’s hard to ignore all the details aligning. We seem to be looking at some kind of temporal issue, with stuttering frames or images tearing. It only appears to manifest at intermediate zoom levels, and users report first noticing it after installing recent updates.

    Compared to some of the other ways video quality could be impacted, not everyone’s going to necessarily notice or even really be bothered by something like this. That almost makes us even more curious: Is this an actual problem? Let’s hear from you:

    Has your Pixel 9 gotten worse at recording video recently?

    0 votes

    More than just knowing whether or not you’re dissatisfied with zoomed video quality on your phone, we want to know exactly which Pixel model you’re experiencing this with. We’ve seen reports mentioning both the 9 Pro and 9 Pro XL, but we’re curious if this is impacting any other handsets, too.

    After responding to our poll, scroll down and let us know in the comments which Pixel model you’re testing with, as well as when you first noticed a problem. Hopefully that will give us a little more data towards working out exactly what might be going on here.

    Got a tip? Talk to us! Email our staff at news@androidauthority.com. You can stay anonymous or get credit for the info, it’s your choice.



    Source link

  • Google Chat could soon get scheduled messages and Gemini

    Google Chat could soon get scheduled messages and Gemini


    Hangouts move to Google Chat 2

    Joe Hindy / Android Authority

    TL;DR

    • Google Chat could finally get the ability to schedule messages, saving users from opting for third-party workarounds.
    • Users will be able to set the exact date and time for message delivery, and even view all scheduled messages in one place.
    • Google is also bringing Gemini features to Google Chat, letting users use the AI digital assistant within conversations.

    Gmail comes preloaded on Android flagships, so it’s often the de facto email app for most people since it does the job quite well. Nestled within Gmail is Google Chat, another one of Google’s many messaging apps, but one that not as many people use daily. Google hasn’t forgotten about Google Chat, though, as it is working on the ability to schedule messages and even bring Gemini features to it.

    You’re reading an Authority Insights story on Android Authority. Discover Authority Insights for more exclusive reports, app teardowns, leaks, and in-depth tech coverage you won’t find anywhere else.

    An APK teardown helps predict features that may arrive on a service in the future based on work-in-progress code. However, it is possible that such predicted features may not make it to a public release.

    Scheduling messages within Google Chat

    Currently, there is no way to schedule a message within Google Chat. Users have to resort to third-party services as a workaround to schedule a message in the DM. Thankfully, in the Gmail app v2025.04.13 release, we spotted clues that indicate Google is adding a way to schedule messages to send to people.

    Code

    <string name="MSG_SCHEDULING_MENU_TITLE">Schedule message</string>
    <string name="MSG_SEE_ALL_SCHEDULED_MESSAGES_BUTTON_TEXT">See all scheduled messages</string>
    <string name="MSG_X_NUMBER_MORE_SCHEDULED_MESSAGES_GOING_TO_BE_SENT_TO">{COUNT}+ messages scheduled to be sent to {GROUP_NAME}.</string>
    <string name="MSG_X_NUMBER_OF_SCHEDULED_MESSAGES_GOING_TO_BE_SENT_TO">{COUNT} messages scheduled to be sent to {GROUP_NAME}.</string>
    <string name="MSG_ONE_MESSAGE_SCHEDULED_TO_BE_SENT_BEYOND_THIS_WEEK">Your message will be sent to {GROUP_NAME} on {MONTH_AND_DAY} at {TIME}.</string>
    <string name="MSG_ONE_MESSAGE_SCHEDULED_TO_BE_SENT_LATER_IN_THIS_WEEK">Your message will be sent to {GROUP_NAME} on {DAY_OF_WEEK} at {TIME}.</string>
    <string name="MSG_ONE_MESSAGE_SCHEDULED_TO_BE_SENT_TODAY">Your message will be sent to {GROUP_NAME} at {TIME}.</string>
    <string name="MSG_ONE_MESSAGE_SCHEDULED_TO_BE_SENT_TOMORROW">Your message will be sent to {GROUP_NAME} tomorrow at {TIME}.</string>

    As you can see from the strings, users will soon be able to schedule messages for a pre-defined time, day of the week, or specific date. There will be a dedicated section that will also allow users to see all the messages they have scheduled out already, making it easier to make any changes if needed. This ability to schedule messages will remove the need for third-party services to get the same functionality.

    Gemini features for Google Chat on mobile

    Beyond this, Google is also working on bringing Gemini features for Google Chat, which are already available on the web version.

    Code

    While using Gemini in Chat, you can use Gemini to summarize, list action items, or answer specific questions about a conversation you have open.

    We managed to activate the feature to give you an early look from within the Gmail mobile app:

    You will be able to access Gemini within the Google Chat tab in Gmail for Android by clicking on the Gemini icon in the header bar. Tapping on it will reveal a bottom sheet that has a few recommended actions. If these suggestions don’t work, you can type your prompt in the text box. Either way, Gemini will often suggest more follow-up prompts that users can fall back on to keep the conversation going with the AI until they are satisfied.

    You can already use Gemini in Chat on the web to summarize a conversation or file, generate a list of action items, or answer specific questions about that space or conversation. It’s fair to presume that this functionality will also make its way to the Gmail mobile app.

    Neither the ability to schedule messages nor Gemini in Chat on mobile is available to users right now. These features may or may not be coming in the future, but given their utility, we hope they do. We’ll keep you updated when we learn more.

    Got a tip? Talk to us! Email our staff at news@androidauthority.com. You can stay anonymous or get credit for the info, it’s your choice.



    Source link

  • A new OnePlus tablet just cleared the FCC, but it’s not the one we were expecting

    A new OnePlus tablet just cleared the FCC, but it’s not the one we were expecting


    OnePlus Pad 2 keyboard case

    Ryan Whitwam / Android Authority

    The OnePlus Pad 2 with its keyboard cover and stylus

    TL;DR

    • A new OnePlus tablet has been spotted in an FCC listing, labeled as the OnePlus Pad 3R.
    • The listing doesn’t reveal much about the tablet’s hardware specs.
    • A new OnePlus Pencil was also filed alongside it, and both products could launch soon.

    For the past few weeks, rumors have been swirling about a new high-end OnePlus tablet. Most signs pointed to it being a follow-up to last year’s OnePlus Pad 2 — possibly a “Pad 2 Pro” with flagship-tier specs. But now, a fresh FCC filing suggests OnePlus might be heading in a different direction entirely.

    As first reported by Droid Life, a new OnePlus device has appeared in the FCC database under the model number OPD2408. The listing identifies it as a tablet and includes a label that clearly names it the “OnePlus Pad 3R.” Also appearing in the FCC database is a new stylus under model number OPN2405, officially named the “OnePlus Pencil.”

    The FCC documents mention support for dual-band Wi-Fi, Bluetooth, and wireless power transfer (WPT) on the tablet, though it’s unclear whether that last bit means we’re getting actual wireless charging. That’s still a rare feature on tablets, so it’s best to stay skeptical for now. The device is described as working in both standalone and keyboard-laptop modes, and the hardware/software builds are listed as OPD2408_11 and OPD2408_15.0.0.61, respectively.

    That’s about all the FCC confirms on paper, but it’s what’s missing that makes things interesting. Prior leaks about this device hinted at a powerful tablet, possibly a rebadged version of the OPPO Pad 4 Pro, which was launched in China.

    That model features a 13.2-inch 3K+ display, Snapdragon 8 Elite chip, up to 16GB of RAM, and a massive 12,140mAh battery. OnePlus often mirrors OPPO’s hardware under a different name, so expectations were set for something similar, if not identical.

    So, where does the “Pad 3R” name come into play? That’s where things get a bit confusing. In the phone lineup, OnePlus typically reserves the “R” moniker for slightly trimmed-down, mid-range versions of its flagship devices, such as the OnePlus 13R compared to the full-fledged OnePlus 13.

    But if this is truly the tablet with all those rumored high-end specs, branding it as “3R” instead of “2 Pro” suggests OnePlus might be rethinking how it positions its tablets.

    Still, all we know for sure is that a new tablet, possibly called the OnePlus Pad 3R, is on the way. And with both the tablet and stylus now clearing the FCC, it might not be long before we see an official announcement.

    Got a tip? Talk to us! Email our staff at news@androidauthority.com. You can stay anonymous or get credit for the info, it’s your choice.



    Source link

  • All the features I want to see

    All the features I want to see


    Samsung Galaxy Watch 7 in hand

    Ryan Haines / Android Authority

    With another launch season approaching, I’m focused on what might be coming down the pipeline. The Samsung Galaxy Watch line, in particular, has plenty of room for improvement this year. While the company’s smartwatches have been strong contenders in the Wear OS market over these last few years, a few key upgrades could really help the next model stand out. Here’s what I hope to see in the Samsung Galaxy Watch 8.

    The return of the rotating bezel

    A Samsung Galaxy Watch 6 Classic displays the Stretched Time watch face.

    Kaitlyn Cimino / Android Authority

    Like many fans, I’d like to see Samsung bring the rotating bezel back to the Galaxy Watch 8 series. It’s one of Samsung’s most distinctive hardware features, first introduced on the Gear S2 and most recently seen zipping through Wear OS tiles on the Galaxy Watch 6 Classic. The design offers an intuitive way to navigate the interface without relying solely on touch, which is especially handy after sweaty workouts.

    In a market where most smartwatches lean heavily on swipe gestures and digital crowns, the rotating bezel helps Samsung stand out. Last year, the company launched an Ultra model instead of a Classic, and to my despair, the pricey new sibling skipped the iconic feature. Bringing it back this season on a Classic variant would go a long way in keeping Samsung’s signature smartwatch feel alive.

    Improved heart rate tracking

    Samsung Galaxy Watch FE sensor

    Ryan Haines / Android Authority

    Better heart rate accuracy is near the top of my list for the Galaxy Watch 8. While the current sensor does fine for steady workouts like runs or walks, it still struggles during cycling or any activity with a lot of wrist movement. I’ve seen noticeable lag in readings, especially when cadence picks up, which makes it hard to trust the data for things like interval training or even recovery insights. It’s not a dealbreaker, but for a watch that pitches itself as a serious fitness tracker, I’d love to see more consistent performance.

    More importantly, Samsung needs to step up here if it wants to keep pace with Google and Apple. The Pixel Watch 3 already delivers some of the most accurate heart rate data I’ve tested, and Apple’s Watch Series 10 is highly reliable. Both brands are likely to launch equally powerful next-gen models.

    Better battery life

    Samsung Galaxy Watch FE buttons closed loop

    Ryan Haines / Android Authority

    I look forward to the day I can write one of these lists without mentioning battery life, but that day is not today. Power efficiency remains a major talking point for nearly every smartwatch. While I’ve found the Galaxy Watch 7 will last about two days with moderate use, its performance varies, especially during GPS activities. Compared to competitors like the OnePlus Watch 3 with its dual-chip architecture or the TicWatch Pro 5 with its dual-display technology, the Galaxy Watch 7’s battery life is good, but not great. I want the 8 to last more than 48 hours on a single charge, even with heavy usage.

    Thanks to sleuthing on South Korea’s product safety platform by XpertPick, we already have an idea of what we might see on the next model. Listings reveal two batteries, EB-BL330ABY and EB-BL505ABY, which are likely tied to the standard Galaxy Watch 8 and the Watch 8 Classic, respectively. The EB-BL330ABY battery has a rated capacity of 435mAh, which is slightly larger than that of the 44mm Galaxy Watch 7.

    More reliable GPS accuracy

    Samsung Galaxy Watch 7 running coach

    Ryan Haines / Android Authority

    Accurate GPS tracking is another area where I’m hoping Samsung will improve the Galaxy Watch lineup. I was excited when the Galaxy Watch 7 introduced dual-frequency GPS, which typically enhances reliability in challenging environments like urban areas or trails with dense foliage. In reality, though, the watch’s performance can still be inconsistent. In real-world tests, it’s recorded me everywhere from the wrong side of the road to running inside buildings.

    Samsung’s biggest Wear OS competitor, the Google Pixel Watch 3, also struggles more than I had hoped, which only makes it more important for the Galaxy Watch 8 to improve so it can stand out. Meanwhile, the Apple Watch delivers accurate GPS tracking, as do Garmin’s devices. For the Galaxy Watch 8 to become a viable option for serious endurance athletes, it needs to provide reliable and precise GPS tracking.

    Full access for all users

    A Samsung Galaxy Watch 5 Pro displays a Samsung Pay prompt screen.

    Kaitlyn Cimino / Android Authority

    Finally, I hope the Galaxy Watch 8 offers full access to all features for non-Samsung phone users. While Samsung’s watches are packed with great functionality, some premium features are locked behind a Samsung phone. Features like Samsung Pay, advanced health tracking including blood pressure detection, and even some customization options are either limited or unavailable for those of us using phones from other brands. It feels like a bit of a missed opportunity, especially when greater inclusivity would make the Galaxy Watch line a stronger Pixel Watch rival. Though unlikely, I’d love to see Samsung open the Galaxy Watch 8’s features to all, regardless of phone brand, so users can take full advantage of everything the watch has to offer.

    What do you want to see on the Samsung Galaxy Watch 8?

    4 votes

    Will there be a Samsung Galaxy Watch 8?

    Samsung Galaxy Watch 7 rings

    Ryan Haines / Android Authority

    While Samsung has yet to officially confirm the Galaxy Watch 8, regulatory filings suggest its imminent arrival. As mentioned, batteries likely corresponding to the lineup have been certified by SafetyKorea, suggesting shoppers will see both a standard Galaxy Watch 8 and a Watch 8 Classic. We’ve also seen entries in the GSMA’s device database, including one reference tying model number SM-L505U to a Samsung Galaxy Watch 8 Classic, as spotted by Smartprix. These certifications point to a summer launch for the Watch 8 series, which would make sense given the company’s launch schedule historically.

    • Galaxy Watch 5 series — August 10, 2022
    • Galaxy Watch 6 series — July 26, 2023
    • Galaxy Watch 7 series — July 10, 2024

    We will most likely see the new generation announced and the company’s Summer Unpacked event. My best guess is that this will take place in July, though I’ll keep this hub updated as we see more leaks and rumors surface. We could also see a second Ultra model land as well as a sequel to the Galaxy Ring.

    Should you wait for the Samsung Galaxy Watch 8?

    Samsung Galaxy Watch FE buttons from the side

    Ryan Haines / Android Authority

    We’re now in that awkward window where upcoming launches are just months away, and buying an existing model feels a bit silly. If you’re currently eyeing the Galaxy Watch 7, I recommend holding off. With the Galaxy Watch 8 on the horizon, it’s worth waiting for the next iteration, especially considering the useful upgrades it could bring, like improved battery life, more accurate tracking, or even new features. Plus, once the new model lands, you can expect the price of the Galaxy Watch 7 to drop. In other words, you can save cash by simply waiting a few months.

    That said, if you want a watch on your wrist sooner rather than later, the Galaxy Watch 7 ($299.99 at Amazon) is a good buy for Samsung phone users. For a more durable device and a larger battery, Samsung also has the Ultra ($649.99 at Amazon) in its lineup. The Google Pixel Watch 3 ($349.99 at Amazon) is the best Wear OS smartwatch available overall, but the OnePlus Watch 3 ($329.99 at Amazon) offers the best battery life. Of course, if you’re an iPhone user, your best bet is the Apple Watch Series 10 ($386 at Amazon).



    Source link

  • AdMob’s new reporting delivers better insights

    AdMob’s new reporting delivers better insights


    Easy comparison reporting

    When looking at changes to a single AdMob metric, such as revenue, we know that context is key. So we’ve added the ability for you to compare two metrics within the same chart (see upper right in image below) so that you can more easily correlate trends within your data.

    You can also now break out metrics, such as estimated earnings, by dimensions like app, ad unit, format, and country (see upper left in image below).  Our improved graph interactivity allows you to add or remove dimensions by simply clicking on the corresponding circle in the key, as shown below on the upper left.



    Source link

  • Upgrade your banner ads with new adaptive anchor banners

    Upgrade your banner ads with new adaptive anchor banners


    Getting started with adaptive anchor banners

    Adaptive anchor banners are a great option for AdMob publishers who want the simplest solution to getting the best banner ad returned across any device.  This format is still in beta on Google Ad Manager, so publishers who want to try it out on that platform should reach out to their account managers or contact our support team.

    Adaptive anchor banners are currently only available for anchored placements—banners locked to the top or bottom of the screen. However, AdMob is actively developing another adaptive algorithm for in-line banners placed in scroll views or within content.

    To get started with adaptive anchor banners for AdMob, check out our implementation guides (iOS, Android). We walk you through when it’s appropriate to use adaptive banners, implementation notes, and code examples.

    We recommend testing adaptive banners against some of your existing banner ads to understand how they can help you maximize fill rates, engagement, and revenue.



    Source link

  • Top 3 misconceptions about mobile ads

    Top 3 misconceptions about mobile ads


    2) I can’t control what ads show up in my app

    App publishers are justifiably concerned about what ads show up in their app, so we’ve taken steps to ensure that your app will only serve ads that meet the guidelines you’ve set. Our ad controls allow you to set a maximum content rating level or block ads by category, ad type, URL, and more.  Both of these controls can be applied to a single app or to your whole AdMob account.  

    For example, applying a maximum rating of G to your account ensures that only G-rated ads are served across all of your apps.  However, you can simultaneously set a maximum rating of T for a specific app to allow it to include PG and T rated ads as well.  For even more control, our Ad Review Center allows you to review individual ads on a creative-by-creative basis to decide whether you want to continue serving them. We’ve designed these features to ensure that you only serve ads you feel are appropriate for your users.



    Source link