Phiture – Mobile Growth Consultancy and Agency https://phiture.com/ Multi award-winning mobile growth consultancy & agency working with the brands behind leading apps. Fri, 12 Jul 2024 09:33:51 +0000 en-US hourly 1 https://wordpress.org/?v=6.5.5 https://i0.wp.com/phiture.com/wp-content/uploads/2019/07/cropped-icon.png?fit=32%2C32&ssl=1 Phiture – Mobile Growth Consultancy and Agency https://phiture.com/ 32 32 How we fine-tuned PressPlay’s AI models for consistent visual assets https://phiture.com/blog/fine-tuning-pressplay-ai-models-for-consistent-visual-assets/ Mon, 01 Jul 2024 15:37:09 +0000 https://phiture.com/?p=95925 How fine-tuning AI models helps us create consistent visual assets for ASO testing, boosting app installs.

The post How we fine-tuned PressPlay’s AI models for consistent visual assets appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>

Intro

PressPlay by Phiture automates the creation, deployment and analysis of A/B tests on the Google Play Store. It uses generative AI to create visual assets in huge volumes, leveraging Phiture’s decade-long expertise in ASO. These assets, in the form of icons, feature graphics and screenshots, are then tested on the actual Google Play Store, powering tens of simultaneous experiments, with close to none human intervention.

This is enabling gaming companies like Wildlife Studios and Lockwood Publishing to achieve millions of additional projected app installs, in just a few months.

However, one of the hardest problems in AI is reliable consistency. It’s one thing if you’re prototyping creative ideas in AI, but to actually publish an AI-generated image requires a level of consistency that’s hard to achieve with prompting alone. The image isn’t going to be approved if it doesn’t conform to the style used across a company’s brand assets.

Phiture came to me with this problem – having done remarkable work to automate the testing of new brand assets with their PressPlay tool, the new bottleneck was creating new assets to test. AI-generated assets weren’t cutting it, because it was an onerous trial-and-error approach to match a client’s style, and even then they were always noticeably off. If they could automate the generation of assets, PressPlay could automatically cycle through many iterations of tests using AI to generate new ideas, driving growth for their clients many times faster than would be otherwise possible.

Thankfully I had written in my prompt engineering book (published June 2024 through O’Reilly) about creating consistent characters with AI, including fine-tuning a model based on a specific style or object. In this post I’ll walk through how I approached it, so you can see what’s possible with AI.

Fine-tuning with Dreambooth

I’ll start with the hardest technique, because it’s what gets the best results. Dreambooth is a training technique you can use on open-source models like Stable Diffusion XL, which actually changes the parameters in the model – it ‘learns’ about the concept you teach it. That concept is typically either a style or subject, of which you need 5-30 images to upload for the model to train on. There is another popular technique for fine-tuning called LoRA, but I use Dreambooth because it gets better results on faces.

Here’s an example from my book, where I trained Stable Diffusion 1.5 to generate images of myself:

There are plenty of options online in terms of tutorials you can follow (I like this one), but I would recommend some technical ability if you’re going to try this method. You probably won’t have to write any code, but you will have to know how to run it. The good news is that you don’t need the latest M3 Macbook or gaming PC with access to a GPU (graphics processor used by AI models), as Google’s Colab Notebooks offer access to GPUs for free or very cheap (~$15 a month), depending on which model you’re using.

Note: you can also try out Replicate, which I’ve had great experiences with before. However, as of June 2024 their customer service team admitted to me that their training methods were somewhat out-of-date relative to the results you can get within Colab, and they will be revisiting this feature.

Here’s the training data we uploaded on behalf of the client: ~30 cut out images with no background, of a specific character in the game Avakin Life in different poses and positions:

The training only took around 15 minutes to complete, and at the end we had a new set of model weights we could prompt with the word “UKJ” (a made up word, that the new model associates with our images):

Compare this to what we got when we prompted the normal Stable Diffusion XL model that didn’t know about our character and brand style:

When Phiture used fine-tuned models to automatically deploy icon tests created by PressPlay’s generative AI, Avakin Live saw remarkable results. Ouni Kwon, Senior Marketing Director at Lockwood Publishing said: “Phiture’s PressPlay has been instrumental in scaling our experimentation efforts and deepening our understanding of how to effectively communicate our brand to players. We are seeing successes where we didn’t expect to and have been able to apply the learnings across other areas in our marketing while staying true to our brand identity.”

As you can see, fine-tuning makes an astonishing difference in the quality of the assets, and really nails the client’s unique style. AI-generated assets aren’t replacing human designers any time soon, and if you have good quality assets to use you should. However, AI being able to fill the gap in scenarios where you need assets over and above what would be possible for your team to produce, is a powerful edge. You can always take the winning variants from AI generated asset testing and then make human versions of them later, to achieve stronger performance in less time.

Deep-dive: Running Stable Diffusion XL In Google Colab

If you don’t code, you can stop here, because we’re going to go through how this technique works. If you have a developer in your team, you could send this post to them and they should be able to replicate my results in half an hour.

First, you need to check you have an Nvidia GPU, which you can accomplish by typing !nividia-smi and pressing Option + Enter on a Mac, CTRL + Enter on a PC. If you don’t have a GPU then you can assign one by clicking the dropdown in the top right corner, and choosing ‘Change runtime type’, before selecting one of the GPUs (I used the L4 one).

Next you need to install the diffusers library by HuggingFace, which is what helps you run Stable Diffusion: %pip install --upgrade diffusers[torch] -q

If you want to run the base version of Stable Diffusion XL, you can run it with the following code. Stable Diffusion is open-source, so it’s useful to be able to run it locally like this, and all you have to do is run on the code. Just change the prompt to be whatever it is you are trying to create:

from diffusers import DiffusionPipeline, AutoencoderKL
import torch
from PIL import Image


def image_grid(imgs, rows, cols, resize=256):
   assert len(imgs) == rows * cols


   if resize is not None:
       imgs = [img.resize((resize, resize)) for img in imgs]


   w, h = imgs[0].size
   grid_w, grid_h = cols * w, rows * h
   grid = Image.new("RGB", size=(grid_w, grid_h))


   for i, img in enumerate(imgs):
       x = i % cols * w
       y = i // cols * h
       grid.paste(img, box=(x, y))


   return grid

vae = AutoencoderKL.from_pretrained(
    "madebyollin/sdxl-vae-fp16-fix",
    torch_dtype=torch.float16
)
pipe = DiffusionPipeline.from_pretrained(
    "stabilityai/stable-diffusion-xl-base-1.0",
    vae=vae,
    torch_dtype=torch.float16,
    variant="fp16",
    use_safetensors=True,
)
pipe.to("cuda");

prompt = "sims3 avatar of a woman riding a horse"


image = pipe(prompt=prompt, seed=42, num_inference_steps=50, num_images_per_prompt = 3)
image_grid(image.images, 1, 3)

We found the closest prompt to the client’s style we could find was evoking the name of sims3 and specifying it was an avatar. Here’s the resulting set of images:

Here’s what the code does, step-by-step:

  1. Imports and Setup:
    • from diffusers import DiffusionPipeline, AutoencoderKL: Imports the DiffusionPipeline and AutoencoderKL classes from the diffusers library. These are used for setting up and using the diffusion model.
    • import torch: Imports the PyTorch library, which is used for tensor operations and as the backend for the model computations.
    • from PIL import Image: Imports the Image class from the Python Imaging Library (PIL), used here to handle image operations like resizing and merging into a grid.
  2. Function Definition image_grid(imgs, rows, cols, resize=256):
    • This function takes a list of image objects (imgs), the desired number of rows and cols for the grid, and an optional resize parameter to adjust the size of each image.
    • assert len(imgs) == rows * cols: Ensures that the number of images matches the expected number of grid slots.
    • Resizing images (if resize is not None): Resizes each image to the specified square dimensions.
    • Grid dimensions are calculated based on the number of columns (cols), rows (rows), and dimensions of the first image.
    • A new blank image grid is created with the computed width and height.
    • Images are placed into this grid in row-major order using a loop that calculates the position for each image.
    • The function returns the final image grid.
  3. Model and Pipeline Setup:
    • vae = AutoencoderKL.from_pretrained(...): Loads a pre-trained autoencoder model. This model is specialized for handling images in a reduced precision (float16) for efficiency.
    • pipe = DiffusionPipeline.from_pretrained(...): Sets up the diffusion model pipeline with the previously loaded autoencoder, specifying model settings such as precision and safety features to manage GPU memory efficiently.
  4. Moving the Pipeline to GPU:
    • pipe.to("cuda"): This command moves the pipeline’s computations to a GPU (if available), allowing for faster processing.
  5. Generating Images:
    • prompt = "sims3 avatar of a woman riding a horse": Defines the text prompt based on which the images will be generated.
    • image = pipe(prompt=prompt, num_inference_steps=50, num_images_per_prompt=3): Generates images using the defined pipeline and settings. The settings indicate that 50 inference steps should be used, and three images should be generated from the prompt.
  6. Displaying the Generated Images in a Grid:
    • image_grid(image.images, 1, 3): Calls the image_grid function to organize the three generated images into a grid with one rows and three columns.

 

Running Dreambooth Fine-Tuning In Google Colab

Now we have established a baseline, we can run the Dreambooth training process to fine-tune the model on our data. We’re going to use autotrain, which is another package by HuggingFace:

%pip install -U autotrain-advanced

Make sure you restart the Colab Notebook now, to free up memory from running the base version of Stable Diffusion XL, and to apply the autotrain library. The final thing you have to do before running training is upload the images to Colab. On the left-most menu, click the file icon, right click then click ‘New folder’, and call it image_training. Upload the images you want to train on to this folder by right clicking the ellipses on the right hand side of the folder, and clicking upload.

Note: You want to upload your image files to the folder without opening it, or you’ll run into an error – it will add an ipython-checkpoint file which annoyingly causes an error with the training script. If you accidentally open the folder then delete it, and try again with a different folder name.

Finally, you can run training, which can be done with the following code:

!autotrain dreambooth \
--train \
--model "stabilityai/stable-diffusion-xl-base-1.0" \
--project-name "DreamboothSDXL" \
--image-path "image_training" \
--prompt "photo of UKJ" \
--seed 42 \
--resolution 1024 \
--batch-size 1 \
--num-steps 500 \
--lr 1e-4 \
--mixed-precision fp16

Here’s what each parameter means:

  • !autotrain dreambooth: This initiates the autotrain tool specifically for the Dreambooth task, which is a method of personalizing generative models (like image generators) to specific styles or subjects.
  • --train: This flag specifies that the operation is a training run, as opposed to other possible operations like evaluation or inference.
  • --model "stabilityai/stable-diffusion-xl-base-1.0": This specifies the model to be used for training. In this case, it is using the stable-diffusion-xl-base-1.0 model provided by Stability AI, which is likely a large-scale version of the popular Stable Diffusion image generation model.
  • --project-name "DreamboothSDXL": This sets the name of the project under which the training run will be saved. It helps in organizing and retrieving the training run data later.
  • --image-path "image_training": This option points to the directory where the training images are stored. These images are what the model will use to learn from during the training process.
  • --prompt "photo of UKJ": This specifies the text prompt associated with the training images. The model will learn to associate this prompt with the visual content of the images in the specified directory.
  • --seed 42: This sets a specific seed number for the random number generator used in the training process. This is important for reproducibility, ensuring that training runs are consistent if they are started with the same seed.
  • --resolution 1024: This determines the resolution of the images that the model will generate during training. Here, it is set to 1024 pixels, which implies a resolution of 1024×1024 pixels.
  • --batch-size 1: This sets the batch size to 1, meaning the model processes one image at a time during the training. This is often used for more memory-intensive models or when GPU memory is limited.
  • --num-steps 500: This specifies the number of training iterations or steps the model will run through. More steps generally lead to better learning but increase training time and resource consumption.
  • --lr 1e-4: This sets the learning rate to 0.0001. The learning rate controls how much the model weights are adjusted during training in response to the error rate. Smaller learning rates can lead to more stable but slower training.
  • --mixed-precision fp16: This flag enables mixed precision training using the fp16 (16-bit floating-point) format, which can speed up the training process by reducing the computational demand on the GPU.

The training should take about ten to fifteen minutes, and when it’s done you could go into the files and download the pytorch_lora_weights.safetensors file, to use in AUTOMATIC1111’s Stable Diffusion Web UI, ComfyUI, or most other popular Stable Diffusion user interfaces. However, you also just run the new model weights directly in Colab, like we did with the base model.

from diffusers import DiffusionPipeline, AutoencoderKL
from PIL import Image
import torch


def image_grid(imgs, rows, cols, resize=256):
   assert len(imgs) == rows * cols


   if resize is not None:
       imgs = [img.resize((resize, resize)) for img in imgs]


   w, h = imgs[0].size
   grid_w, grid_h = cols * w, rows * h
   grid = Image.new("RGB", size=(grid_w, grid_h))


   for i, img in enumerate(imgs):
       x = i % cols * w
       y = i // cols * h
       grid.paste(img, box=(x, y))


   return grid


vae = AutoencoderKL.from_pretrained(
   "madebyollin/sdxl-vae-fp16-fix",
   torch_dtype=torch.float16
)
pipe = DiffusionPipeline.from_pretrained(
   "stabilityai/stable-diffusion-xl-base-1.0",
   vae=vae,
   torch_dtype=torch.float16,
   variant="fp16",
   use_safetensors=True,
)
pipe.to("cuda");
pipe.load_lora_weights("DreamboothSDXL", weight_name="pytorch_lora_weights.safetensors")


prompt = "photo of UKJ riding a horse"


image = pipe(prompt=prompt, seed=42, num_inference_steps=50, num_images_per_prompt = 3)
image_grid(image.images, 1, 3)

Here are the resulting images:

Most of this is the same as before, but there are two changes:

  • vae = AutoeratorKL.from_pretrained(...): Loads a specific pre-trained version of an autoencoder, set to operate in float16 for efficient GPU computation.
  • pipe.load_lora_weights("DreamboothSDXL", weight_name="pytorch_lora_weights.safetensors"): This line loads additional specialized weights into the model, to use our fine-tuned model weights.

As we have demonstrated, employing techniques like Dreambooth for fine-tuning AI-generated brand assets can significantly elevate their relevance and consistency with existing brand aesthetics. For companies like Phiture, building advanced AI tools like PressPlay can offer a real edge in improving performance through creative testing. Embracing these technologies not only enhances efficiency but also opens new possibilities for creative innovation in digital marketing.

The post How we fine-tuned PressPlay’s AI models for consistent visual assets appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>
Relevant Updates from Apple’s WWDC 2024 — and what they mean for App Marketers https://phiture.com/blog/wwdc-2024-updates-for-app-marketers/ Mon, 10 Jun 2024 21:29:45 +0000 https://phiture.com/?p=95869 Highlights from Apple's WWDC24: Apple Intelligence, iPhone notifications on Mac, home screen and control center customization, and more!

The post Relevant Updates from Apple’s WWDC 2024 — and what they mean for App Marketers appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>

Apple, holding significant market share, sets industry standards with its operating system updates. At WWDC (Worldwide Developers Conference), Apple annually announces significant changes impacting both businesses and consumers.

We watched the keynote for you and summarized the key updates from WWDC 2024 for app marketers.
We’re updating this article continuously as new updates are announced throughout the week.

 

iOS 18 introduces new customization options for the home screen and control center

iOS 18 and iPadOS 18 will bring updates like more flexible app arrangement, and customizable app icons, with dark backgrounds or tints. Icons on the home screen can now also be enlarged. Users can lock specific apps with a passcode or Face ID and hide apps from the home screen, which will then appear in a “Hidden” folder in the app library. Additionally, app names can optionally be hidden, leaving only the app icon on the home screen. Apple has already updated documentation around app icon variations for iOS and iPadOS 18 here.

The control center receives significant updates. A new Controls API now enables third-party apps to create controls that can then be placed into the control center or lock screens by users.

What the new customization options in iOS and iPad OS 18 mean for app marketers

Having recognizable elements in your app icon becomes more important than ever. Once tinted app icons get adopted by users, your brand colors likely won’t play a big role on all of your users’ home screens anymore. Make sure your users can still easily identify your app by including unique brand elements or text on your icon.

Especially apps in the utilities categories should take advantage of the new Controls API, which will let you add certain actions from your app in more places throughout iOS — like to the control center, or onto the lock screen. This is not only beneficial for your app usage and feature discoverability, it should ultimately be a UX improvement for your app users.

New home screen customization options in iOS 18. Source: Apple

 

New third-party controls in iOS and iPadOS 18 let you be front and center with your users. Source: Apple

 

MacOS Sequoia’s Continuity feature brings iPhone even closer to the Mac

Together with iOS 18, updates to the Continuity feature on Mac include iPhone mirroring — which quite literally brings your iPhone screen to your Mac, now effectively allowing users to use all of their iPhone apps seamlessly on their computer. This includes receiving notifications from iPhone while you’re on your Mac. Apple also made it easier to share files between devices using Continuity, which now allows you to just drag files from your Mac “into” an iPhone app you’re currently mirroring.

How macOS Sequoia’s update to Continuity benefit app marketers

These updates mean you can be close to your users in more situations than ever before — even if you don’t offer a dedicated Mac app. Users who use the new Continuity features will be able to receive your app’s push notifications directly on their computers, and can use your app in more situations.

The Continuity feature in macOS Sequoia lets you mirror your iPhone to your Mac — including notifications. Source: Apple

 

Apple Intelligence integrates AI deep into Apple’s devices — including third-party apps

Apple’s newly announced take on AI, Apple Intelligence, introduces advanced AI features across its entire ecosystem, enhancing OS-level features with large language models (LLMs), and offering sophisticated writing tools for generating, rewriting, and proofreading text. These features are accessible system-wide, including in third-party apps via the App Intents API.

Siri is now more personal and context-aware, capable of natural speech commands, in-app actions, and advanced queries, and can be invoked by simply double-tapping the home bar and typing a prompt or query.
New tools like Genmoji, Image Playground, and Image Wand enable custom emoji creation, on-device image generation, and photo cleanup or editing with the help of AI.

AI enhancements to iOS, iPadOS, and macOS also include improved semantic search for images and videos and direct integration of ChatGPT-4o with access to premium features if users connect their premium ChatGPT account.

Considering Apple’s focus on privacy, it’s no wonder processing for most features occurs on-device, while more demanding queries get sent to a server securely through a new architecture called Private Cloud Compute.

These updates will be available in beta with iOS 18, iPadOS 18, and macOS Sequoia. Learn more about individual Apple Intelligence features here.

What Apple Intelligence means for App Marketers

Users might soon interact with your app in a whole different way — through Siri acting as an AI agent, fulfilling requests and collecting information on their behalf. Explore the App Intents API and make sure to implement the API in time before the iOS 18 release in September to be ready from the get-go.

App developers can integrate Apple Intelligence deeply into their apps using the App Intents API. Source: Apple

 

AppAttributionKit expected to replace SKAdNetwork, supports alternative app stores

While the AdAttributionKit framework has been introduced with iOS 17.4 already, it is now expected to fully replace SKAdNetwork. According to Apple, AdAttributionKit supports re-engagement, click-through attribution (including support for custom creative), JWS formatted impressions and postbacks, and more.
A new developer mode for AppAttributionKit has also been announced, which makes debugging easier by shortening conversion windows and removing random time delays.

In contrast to SKAdNetwork, AdAttributionKit also works with alternative app stores.

 

Custom Product Pages (CPPs) to support deeplinks

A session description on the Apple Developer website indicated that Custom Product Pages will soon support deeplinks. Whether this applies to apps that aren’t yet installed remains to be seen — we’ll update the article as new information becomes available.

A session description suggests deeplinks for CPPs, and an option to nominate your apps for featuring in an upcoming version of App Store Connect.

 

Nominate your apps for featuring on the App Store

App Store Connect very soon will let you submit your apps for possible featuring on the App Store. A session description on Apple’s Developer website gave us an early hint, and now, members of our ASO Stack Slack Community have reported that the featuring nomination feature on App Store Connect is already rolling out to their accounts. Check your consoles and let us know if it’s already available for you too!

Featuring notifications and marketing assets via the App Store Connect mobile app

The App Store Connect mobile app also gets a welcome new feature: You can now choose to receive push notifications on your iPhone when your app gets featured on the App Store somewhere in the world. You can then even go one step further and generate and export marketing assets for important achievements or updates — right from App Store Connect.

The App Store Connect mobile app now sends you a push notification once your app gets featured in any market. Source: Apple

 

Win-back offers for subscriptions

Developers of subscription apps can now encourage churned subscribers to resubscribe with new win-back offers that appear in the App Store or inside the app itself. On macOS, developers can even offer discounted or free subscriptions for a period of time, this feature won’t be available on iOS yet.

New targeted win-back offers in the App Store. Source: Apple

 


 

Hear about these updates and more — Live on stage!

The ASO Conference is the ultimate knowledge-sharing event for mobile growth leaders. Today, we’re incredibly excited to announce the first wave of speakers!

Join us to hear from industry leaders sharing growth lessons that you can apply to your app or game.

→ Get your tickets here: https://asoconference.com

The post Relevant Updates from Apple’s WWDC 2024 — and what they mean for App Marketers appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>
How Google Play’s new Branded Ad Slot is Affecting Organic Downloads https://phiture.com/mobilegrowthstack/how-google-plays-new-branded-ad-slot-is-affecting-organic-downloads/ Mon, 10 Jun 2024 14:39:29 +0000 https://phiture.com/?p=95836 Google’s new branded ad slot on the Play Store requires app publishers to bid on their own brand names for top placement. This has reduced organic downloads, emphasizing the need for a balanced app marketing strategy.

The post How Google Play’s new Branded Ad Slot is Affecting Organic Downloads appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>

In May 2023, Google started testing a new branded ad slot on the Play Store, which has since become a permanent fixture. This slot requires app publishers to bid on their own brand names to secure the top ad placement, a move that has significantly reshaped app marketing strategies and impacted organic download metrics.

 

What is the new branded ad slot on Google Play about?

Now, when you search for a brand on the Play Store, the top result can be a paid ad, followed by organic results below. This means publishers must financially compete for visibility on their own brand names, making it harder to rely on organic search as a free resource. If they don’t bid, competitors can easily take the top ad spot, potentially diverting traffic that would have naturally gone to them.

Not bidding on own brand

Bidding on own brand

 

Impact on organic downloads

Through working with our clients, Phiture noticed some clear patterns. Despite the total download numbers having remained steady, the proportion of organic downloads has been declining. This shift suggests a growing emphasis on paid downloads, which complements the traditional focus on organic App Store Optimization (ASO) strategies, highlighting the need for a balanced approach to enhance overall app visibility on the Google Play Store.

Store listing acquisitions per traffic source in the United States, January 2023 – January 2024

 

Moreover, conversion rates for organic traffic have dropped since the new ad slot was introduced, suggesting that the quality and engagement of organic visits might be weakening.

 

Impact on download decisions

Despite these challenges, the impact on actual download decisions seems minimal for users with high intent. For example, someone searching specifically for “N26” is unlikely to download “Revolut” instead, even if “Revolut” appears in an ad.

Branded ads on the Play Store

Branded ads on the App Store

 

Interestingly, Apple’s approach in the App Store offers more creative freedom. Their ads can show up to three screenshots of the competitor’s app, which might capture user attention more effectively than Google’s format that only displays the app icon and metadata.

 

How to test the impact of Google Play’s new branded ad slot for your app or game

To truly understand the impact of this ad slot for your specific app or game, Phiture recommends testing by turning off all Google App Campaigns (GAC) to analyze the cannibalization effect and the true value of organic downloads when they aren’t overshadowed by paid ads. We also suggest strategically removing branded keywords in specific markets to mitigate unwanted ad placements, although Google might counter this by serving the ads in different markets.

This change in the Play Store’s ad strategy highlights the need for app publishers to continually adapt their marketing strategies. Balancing visibility through paid placements with nurturing organic growth has become more complex, requiring a dynamic approach to App Store Optimization and marketing budget allocation. As the digital landscape evolves, staying ahead of these changes and adjusting strategies accordingly will be crucial for maintaining a competitive edge and ensuring sustainable growth in the app stores.

The post How Google Play’s new Branded Ad Slot is Affecting Organic Downloads appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>
ASO Monthly #96: Google I/O 2024 Recap, App Store Privacy Requirements, CSLs by Keywords, Apple Design Award Finalists, Government App Labels … and more! https://phiture.com/asostack/aso-monthly-96-google-i-o-2024-csl-by-keywords-apple-design-award-finalists-government-app-labels-and-more/ Mon, 03 Jun 2024 12:29:37 +0000 https://phiture.com/?p=95816 May developments in ASO: CSL targeting by keywords, Google I/O 2024 Recap, App Store Privacy Requirements, Apple Design Award Finalists, Government App Labels ... and more!

The post ASO Monthly #96: Google I/O 2024 Recap, App Store Privacy Requirements, CSLs by Keywords, Apple Design Award Finalists, Government App Labels … and more! appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>

This month’s ASO Monthly edition outlines the most relevant May developments. Here, we shed light on trends in App Store Optimization, algorithm changes, insights into conversion rate optimization, and tool updates.

 

May 1

New Privacy Requirements for App Submissions started on May 1st

The App Store prioritizes user safety and privacy, incorporating features like Privacy Nutrition Labels and app tracking transparency. Starting May 1, 2024, new or updated apps using popular third-party SDKs must meet specific requirements by providing reasons for listed APIs, include privacy manifests, and have valid signatures for SDKs added as binary dependencies. Apps failing to meet these standards will be rejected. These measures aim to enhance user privacy and security, ensuring developers maintain accountability for all code within their apps.

You can find the full list of SDKs requiring a privacy manifest and signature on Apple’s developer website here.

 

May 1

Google Play Store now allows two apps to be downloaded simultaneously

The Google Play Store now allows users to download two apps simultaneously, a feature that enhances the user experience by making the process of installing multiple apps more efficient. Previously, users could only download one app at a time. This new functionality currently applies only to fresh app installations, not to app updates. The feature is especially useful during the setup of new Android devices, making the process of installing your favorite apps much faster. Google has been working on this feature since 2019, and it is now becoming widely available.

 

May 2

Google will show labels to identify government apps

As reported by TechCrunch, Google has introduced labels in the Play Store to identify official government apps. This feature aims to help users quickly recognize apps that are officially published or endorsed by government entities, enhancing trust and security. The labels are part of Google’s efforts to ensure users can easily find and verify government-related apps, especially for accessing public services and information. You can read the full article here.

Source: TechCrunch

 

May 14

Google I/O brings Engage SDK, CSLs by keywords, prompts to update app, and new billing methods

Google I/O 2024 introduced several significant updates for AI and Google Play. Key highlights include Custom Store Listings targeting by search keywords, an Engage SDK to index in-app content and track user engagement, and enhanced app update processes eliminating the Wi-Fi requirement. New billing methods like PIX in Brazil and UPI in India, along with automatic price adjustments, were also unveiled to improve monetization. These updates aim to boost app visibility, user engagement, and revenue potential for developers. As a side note, Google is also working towards enhancing store listings to enable cross-device discovery seamlessly. You can read about all important changes here.

Source: Android Developers Blog

 

May 15

New on the Play Store: Custom Store Listings targeting search keywords

Google has introduced a new feature for Custom Store Listings (CSLs) on the Play Store, allowing app developers to target up to 500 search keywords per CSL. This enhancement enables the creation of tailored listings based on specific keywords, potentially boosting conversion rates by showcasing relevant app features and optimized visuals. The console aids in keyword selection by displaying top-converting keywords and their variants. Developers can apply this on a global scale or filter by specific countries, enhancing the relevance and effectiveness of their app’s store presence.

 

May 28

Apple introduces the 2024 Apple Design Award Finalists

Each year, Apple selects apps for the Apple Design Awards based on innovation, creativity, and technical achievements in app and game design. The chosen apps are thoughtfully designed, drive innovation, provide outstanding and engaging user experiences, and make exceptional use of Apple technologies with optimized performance. This year, finalists include apps like Tiimo, Arc Search, and SmartGym, as well as games such as Call of Duty: Warzone Mobile, Lost in Play, and Cityscapes. You can check the complete list of finalists here.

 

Tool Updates

AppRadar | Localizations: Extended Competitor Insights

AppFollow | Introducing AI Automation for Review Replies on AppFollow

 

Interesting Reads/Listens/Watches

13 Mobile App Analytics Tools: Which is the Best One for You? | AppSamurai

Google I/O 2024 Highlights: AI & Google Play Updates | AppTweak

Similar Apps in Google Play: Are they Important for ASO | AppRadar

How to use AI to boost your ASO | AppsFlyer

 

Before you go

With the new ability for ASO practitioners to create custom store listings targeting specific keywords, rethinking your app store growth strategy is now more crucial than ever. For brand-focused apps, you can design specific custom store listings to better appeal to brand-aware users, potentially increasing conversions despite competitor ads. For apps relying on discovery or generic keywords, targeting custom user segments based on their search terms will be more straightforward but will require a solid relevance appeal strategy. Ensure you use the right keywords in your metadata and visual assets to maximize conversion rates and attract the right users.

The post ASO Monthly #96: Google I/O 2024 Recap, App Store Privacy Requirements, CSLs by Keywords, Apple Design Award Finalists, Government App Labels … and more! appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>
ASO Monthly #95: Alternative App Stores, Sideloading, App Store Connect API Changes, Google Play Criteria for Promotional Content, … and more! https://phiture.com/asostack/aso-monthly-95/ Wed, 08 May 2024 13:51:39 +0000 https://phiture.com/?p=95729 March developments in ASO: iOS 17.4 brings access to alternative app stores and sideloading, App Store Connect API changes, Google Play criteria for Promotional Content, ... and more!

The post ASO Monthly #95: Alternative App Stores, Sideloading, App Store Connect API Changes, Google Play Criteria for Promotional Content, … and more! appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>

This month’s ASO Monthly edition outlines the most relevant March developments. Here, we shed light on trends in App Store Optimization, algorithm changes, insights into conversion rate optimization, and tool updates.

 

March 5

Apple releases iOS 17.4 — Enabling alternative app stores and sideloading for users in the EU

As we reported back in January, the EU’s new set of regulations under the Digital Markets Act (DMA) forced Apple to open up to alternative app stores and allow app sideloading on their devices. Since the release of iOS 17.4 on Feb. 15, these new features and changes are now available to all Apple users in the European Union.

While popular developers like Epic Games and Setapp have already announced their alternative app stores for iOS, AltStore was actually the first one to be available to the general public — just days after the release of iOS 17.4. AltStore has been available for years, but users had to jump through quite a few hoops to get it working on their devices. This process now became “easier” — well, at least a little. Ex-Phiturian Anton Tatarynovich (Freeletics) broke down the whole process on his LinkedIn here.

 

Source: Anton Tatarynovich, LinkedIn

 

March 5

Apple updates App Store Connect API with access to more data points

With version 3.4 of the App Store Connect API, Apple opened up their API to include access to Analytics Reports. The new endpoints can be used to pull data about App Store Engagement, App Store Commerce, App Usage, Framework Usage, and Performance. If you use Apple’s frameworks (i.e. HealthKit, CloudKit, …) in your app, you’ll also be able to get data on how your users interact with these features.

This will make your life much easier if you build custom reporting dashboards with App Store data, or if you’re using other 3rd-party analytics solutions. We expect vendors to update their tools in the coming days and weeks to take advantage of these API changes.

 

March 31

Eligibility criteria for Promotional Content on Google Play

Google now provides more transparency about which apps and games are eligible for “Premium growth tools” like Promotional Content and additional Custom Store Listings.

Developers “in good standing” with Google have to meet these thresholds in order to be eligible:

  • At least 1.6 million 28DAU daily over the previous 3 months, and a minimum of 1.6 million active installs.
  • At least 2 million 28DAU daily over the previous month, and a minimum of 2 million active installs.
  • At least $40,000 USD/month in consumer spend over the previous 3 calendar months, or at least $50,000 USD in the previous calendar month.

Additionally, if…

  • You are a developer in the Google Play Partner program
  • You are a developer in the Media Experience program
  • Your title has consistently maintained a top 10 ranking by 28DAU on every day of the previous calendar month, in at least one of the following countries and categories:
    • Countries: Argentina, Bangladesh, Brazil, Egypt, France, Germany, India, Indonesia, Italy, Japan, Mexico, Pakistan, Philippines, Russia, South Korea, Thailand, Türkiye, United Kingdom, United States, Vietnam
    • Categories: Entertainment, Music and Audio, Health and Fitness, Sports, Beauty, Lifestyle, Books and Reference, Food and Drink, Shopping, Travel, Education, Social

… these reduced criteria apply to you:

  • At least 800,000 28DAU daily over the previous 3 months, and a minimum of 800,000 active installs.
  • At least 1 million 28DAU daily over the previous month, and a minimum of 1 million active installs
  • At least $20,000 USD/month in consumer spend over the previous 3 calendar months, or at least $25,000 USD in the previous calendar month

While these thresholds are fairly high, fear not — if you are part of the Google Play Partner Program or Media Experience Program, new launches will get access to Promotional Content and additional Custom Store Listings for at least two quarters.

Remember that if your app falls in any of these categories, you currently won’t get access to Google Play’s Premium Growth Tools: Finance, Dating, News, Video Players, Business, Medical, Parenting, Tools, Casino.

Find the full guidelines here: https://play.google.com/console/about/guides/premium-growth-tools/

 

Bonus

Superwall’s founder & CEO Jake Mor shared an awesome iOS Shortcut, utilizing the SensorTower API to quickly get data about any app right from the App Store page on your iPhone:

 

The post ASO Monthly #95: Alternative App Stores, Sideloading, App Store Connect API Changes, Google Play Criteria for Promotional Content, … and more! appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>
ASO Monthly #94: AI-Generated Highlights, Dedicated IAE Placement, Apple Sports, New Form-Factors Accessibility, Apple Search Ads Expansion & Play Store’s Algorithm Change https://phiture.com/asostack/aso-monthly-94/ Mon, 04 Mar 2024 14:13:52 +0000 https://phiture.com/?p=95703 February developments in ASO: AI-Generated Highlights, Dedicated IAE Placement, Apple Sports, New Form-Factors Accessibility, Apple Search Ads Expansion & Play Store’s Algorithm Change

The post ASO Monthly #94: AI-Generated Highlights, Dedicated IAE Placement, Apple Sports, New Form-Factors Accessibility, Apple Search Ads Expansion & Play Store’s Algorithm Change appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>

This month’s ASO Monthly edition outlines the most relevant February developments. Here, we shed light on trends in App Store Optimization, algorithm changes, insights into conversion rate optimization, and tool updates.

 

February 15

Apple introduces dedicated placement for IAE featuring on the Today Tab

Apple has been providing dedicated placements to In-App Events on the Today Tab since January, but a new addition, “Today’s Biggest Events”, now resembles the format of “App of the Day” and “Game of the Day,” offering a full-page spotlight on the featured event. This enhancement opens up opportunities for more apps to gain higher visibility and engagement by hosting timely and high-quality In-App events.

For ASO practitioners, keeping users engaged and informed through In-App events is now more crucial than ever. If you’re planning a high-quality time-sensitive event soon, don’t forget to reach out to your Apple representatives or the App Store editorial team (via a featuring request form) to increase your chances of getting your event featured.

 

February 19

AI-generated Highlights on Play Store coming soon?

Following a series of AI-focused changes on the Play Store, another change from Google might be the introduction of AI-generated Highlights on an app’s store listing on the Play Store. According to a report by AssembleDebug on X (formerly Twitter), these highlights succinctly summarize the features and benefits of the app in a dedicated section, accessible by tapping a prompt above the screenshots.

This development may lead to fewer users reading your app details, such as long descriptions, and instead relying on the AI-generated summary of the app’s offerings. It remains to be seen which metadata factors are considered when generating these summaries.

 

February 22

Apple launches Apple Sports

On February 22nd, 2024, Apple unveiled its latest sports app, aptly named “Apple Sports,” which promptly moved to the top spot in the sports category. Offering real-time scores, stats, and other features, the app has garnered a 3.9-star rating and amassed 4.3K total ratings in the App Store in the USA.

For ASO practitioners operating sports apps with similar functionalities, this launch signals heightened competition within the category. With the introduction of a free app backed by Apple’s brand recognition and user base, there may be a shift in user preferences, potentially drawing more users towards Apple Sports and posing challenges for competing apps in the market.

 

February 26

Google widely rolls out a new category switcher to view screenshots and reviews for other form factors

As reported by 9to5Google, Google seems to be widely deploying a new category switcher feature, allowing users to conveniently view screenshots and ratings of apps across different form factors. This feature, which appears below the install button for apps not yet installed, streamlines access to screenshots and reviews for various device types.

For ASO practitioners whose apps are accessible on multiple form factors, maintaining consistent creative practices across different devices is essential. This consistency can aid users in deciding to download the app on multiple devices, thereby enhancing app visibility and user engagement across different platforms.

 

February 23

Apple Search Ads expands to nine more countries

(source: searchads.apple.com/news)

In an exciting development announced on the Apple Search Ads News blog, Apple Search Ads is set to expand its reach to nine additional countries, including Brazil, Bolivia, Costa Rica, the Dominican Republic, El Salvador, Guatemala, Honduras, Panama, and Paraguay.

This opens up new opportunities to protect your app’s branded traffic, discover new keywords, and match user expectations by leveraging relevant custom product pages.

 

February 27

AppTweak tool reports an algorithm change in Play Store – again

(source: AppTweak)

In recent months, the Play Store has undergone multiple algorithmic changes. On February 27th, AppTweak’s algorithm monitoring tool flagged another significant change in the Play Store, registering an anomaly score of 3.541. Notably, while several countries experienced significant impacts with high anomaly scores, the USA recorded the highest score.

For ASO practitioners, constant algorithm changes signal the need for constant measurement, analysis, and observation of key performance indicators (KPIs) related to your app’s visibility and conversion on the app stores. It’s crucial to closely monitor any shifts or alterations that may have occurred and assess their implications on your app’s performance.

 

Tool updates

AppsFlyer | The impact of Apple’s EU DMA changes: which path is worth taking?
AppTweak | How to scale Apple Search Ads Management with Automation

 

Interesting reads / listens / watches

The complete guide to mobile app KPIs for 2024 | AppFollow
Alternative App Stores and why they are worth exploring | AppSamurai
Leveraging the App Stores as a True Marketing Channel | AppTweak
Top 10 Dating Apps on the USA App Store by User Acquisition Performance | MobileAction

 

Before you go

There are growing indications that the Google Play Store might be rolling out a dedicated Search Tab soon. This feature would empower users to effortlessly discover apps through popular keywords, category exploration, direct searches, and potentially sponsored placements. Such a development would open up additional opportunities for users to come across your app while browsing.

Capitalize on the introduction of the new dedicated tab by leveraging ASO best practices, and maximize discoverability. Ensuring your app is optimized for relevant keywords, categories, and search terms will be key to enhancing its visibility and engagement in the ever-evolving Play Store.

The post ASO Monthly #94: AI-Generated Highlights, Dedicated IAE Placement, Apple Sports, New Form-Factors Accessibility, Apple Search Ads Expansion & Play Store’s Algorithm Change appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>
Phiture Briefing on Apple’s response to the EU Digital Markets Act (DMA) https://phiture.com/blog/phiture-client-briefing-on-apples-response-to-the-eu-digital-markets-act-dma/ Fri, 23 Feb 2024 12:30:01 +0000 https://phiture.com/?p=95361 Apple's recent proposed changes in response to the EU Commission's Digital Markets Act (DMA) mark a significant shift in its app distribution and payment processing policies.

The post Phiture Briefing on Apple’s response to the EU Digital Markets Act (DMA) appeared first on Phiture - Mobile Growth Consultancy and Agency.

]]>

First prepared by the Phiture team for clients and partners, we’re now publishing our take on Apple’s response to the EU Digital Markets Act (DMA) publicly.

Update 03/29/2024: The European Commission has now launched investigations into Apple, Google, Meta, and Amazon for potential non-compliance with the Digital Markets Act (DMA), with possible heavy fines for violations. As a result of these investigations, we expect to see further changes to Apple’s policies and will keep this briefing up to date to reflect those in the future. Read more here: The Verge

For app publishers who choose to opt in to enable alternative distribution and payments, Apple’s recent proposed changes in response to the EU Commission’s Digital Markets Act (DMA) mark a significant shift in its app distribution and payment processing policies.  

The DMA aims to promote competition by imposing restrictions on “gatekeeper” companies (including but not limited to Apple and Google) that operate at a certain scale. 

Regarding app store usage, the DMA stipulates two important requirements for gatekeepers: one, allowing alternative in-app and out-of-app payments, and two, enabling the installation and use of third-party software applications or application stores. 

Google’s compliance with the DMA focuses more on alternative payments. This is because Android is a more open platform that has supported sideloading and alternative app stores on many iterations of its devices since it was first released. Google introduced user choice billing in 2022, which allows developers to offer alternative payment methods, but still charges a reduced platform fee on those transactions. 

Apple’s compliance with the DMA is more complex because it must support alternative payment methods as well as alternative app stores. 

Apple has introduced new business terms in the EU that give developers a choice. They can either abide by existing App Store policies or opt into new terms that allow them to utilize alternative app stores and billing methods under different commercial conditions. Under these new terms, developers will pay reduced commission fees for payments made through their apps distributed from the App Store. They will also pay a payment processing fee if they use Apple’s native in-app payments process but no fee if they use alternative providers or accept payments via an external website link. Additionally, all developers who opt into these new terms will be obligated to pay a Core Technology Fee (CTF) for every first annual install of their app above 1 million generated from either the App Store or an alternative app marketplace.

There is no deadline to enter the new business terms, and developers are encouraged to take their time to decide on what is best for them, as once they sign the addendum to change the agreement, the new terms will apply to all apps in the account, and developers can’t go back to the previous business terms.

Summary of Apple’s changes in response to the DMA

  1. New (opt-in) business terms, which unlock alternative app distribution
    These include a reduced commission on App Store transactions, an optional payment processing fee for using Apple’s system, and a highly contentious Core Technology Fee for apps distributed from the App Store or alternative marketplaces. This fee is €0.50 for each first annual install over a 1 million threshold on iOS in a 12-month period and includes first-time installs, re-installs, and app updates by iOS users with accounts from the 27 EU countries.
  2. Apple introduces a new set of business terms for app distribution and monetization, offering developers two options:
    Stick with the existing App Store policies, with no changes, or adopt the new terms to access alternative app stores and billing methods under revised commercial conditions.

    Source: mobiledevmemo.com / Eric Seufert

    Source: AppsFlyer
  3. Alternative app distribution and payments
    Developers can now distribute their iOS apps outside the App Store and use alternative payment processors within their EU apps across Apple’s operating systems.
    This could lead to an increase in reach, but costs associated with the new business terms are significant.

    Source: cultofmac.com
  4. Enhanced user protections
    Apple will introduce new safeguards to minimize risks associated with sideloading and alternative payment processing. These include notarization for iOS apps, authorization for marketplace developers, and disclosures on alternative payments.
    These safeguards are good news for both developers and consumers.
  5. EU-specific adjustments
    Apple will allow EU iPhone users to select a default web browser and contactless payments app, potentially bypassing Apple Pay.
    This could be interesting for e-commerce apps and others that wish to drive off-platform purchases while still distributing their app through the App Store.

     

    Phiture’s take

    • Apple has worked hard to make both side-loading/3rd party stores and alternative payment methods commercially unattractive to app developers. As Eric Seufert coined it: Apple is playing “Heads I win, Tails you lose” in what amounts to an attempt at malicious compliance.
    • Only very high average revenue per unit apps currently look like potential winners from accepting the new terms.
    • It’s still very early days, and Apple’s current response is just a proposal
      • Regulators will review the proposal, along with those from other gatekeepers, starting March 7, 2024. 
      • Apple may be required to modify its offering based on this review.
      • Aside from Epic, who have a well-documented ‘beef’ with Apple, we haven’t seen many developers showing enthusiasm about the chance to take Apple up on their new terms.  
      • The proposed new terms are not available to opt into yet: this is all still somewhat theoretical as of today (Jan 31, 2024).
    • It’s not a one-size-fits-all situation: Factors such as reach, development effort, revenue model, user base size, and other fees/charges incurred all need to be considered when deciding which model is best for your app.
    • Phiture expects other gatekeepers such as Microsoft – and possibly Amazon – to mull creating their own iOS app stores, which could significantly boost the reach of apps in the EU that opt into Apple’s new business terms.
    • Some niche-audience apps may be able to operate very effective businesses while staying under one million EU installs, but the App Store Small Business Program already offers a reduced 15% fee, which only drops to 13% under the new terms. However, this ties developers into the €0.50 Core Technology Fee once they hit one million EU installs: this fee will be a killer for most existing app business models.
    • Under the current rules, app updates (including updates for users who are inactive but still have the app installed) will be counted toward the ‘installs’ total. This implies that developers will have to pay the CTF annually even for inactive users. The CTF makes the economics very tough for most businesses.
    Source: AppsFlyer

    Industry reaction

    • Consumer concerns: There’s a mix of opinions among consumers. Some appreciate the EU’s stance on consumer rights while others express concerns about potential security risks and reduced user experience due to multiple app sources.
    • Regulatory compliance questions: There are uncertainties about whether Apple’s restructuring will comply with the DMA as the act requires fair, reasonable, and non-discriminatory conditions for access to app stores. The introduction of the CTF and Apple’s new business terms are central to this debate.

     

    Further Reading

    • Apple’s official announcement and business terms changes link
    • Mobile-centric analysis from renowned industry commentator Eric Seufert link
    • Mobile-centric analysis of Apple’s DMA response from the leading mobile measurement platform, Appsflyer link
    • Explanation of the DMA by CookieBot (UserCentrics sub-brand) – less mobile-centric link 
    • Reuters’ coverage of Apple’s response to the DMA and industry reactions link
    • 9to5Mac’s discussion on the new labeling of apps to inform and protect EU users link
    • MacRumors’ report on industry opinions and the App Store split link
    • TechCrunch’s analysis of Apple’s new ‘core tech’ fee and its implications link
    • MacRumours report on Apple’s recent non-compliance with EU rulings (related to Epic Games) requiring Apple to open up distribution to non-Apple store purchases link
    • Epic has declared they will launch an app store on iOS, mostly to distribute Fortnite, despite decrying Apple’s “Hot Garbage” EU business rules link
    • Developers call out Apple’s ‘malicious compliance’ link

    The post Phiture Briefing on Apple’s response to the EU Digital Markets Act (DMA) appeared first on Phiture - Mobile Growth Consultancy and Agency.

    ]]>
    ASO Monthly #93: AI-Generated FAQs, Algorithmic Anomalies, Sideloading on iOS, Preparing for VisionOS, Allowing Streaming Apps & Services & Play Store’s New Search Tab https://phiture.com/asostack/aso-monthly-93/ Mon, 05 Feb 2024 13:49:42 +0000 https://phiture.com/?p=95695 January developments in ASO: AI-Generated FAQs, Algorithmic Anomalies, Sideloading on iOS, Preparing for VisionOS, Allowing Streaming Apps & Services & Play Store’s New Search Tab

    The post ASO Monthly #93: AI-Generated FAQs, Algorithmic Anomalies, Sideloading on iOS, Preparing for VisionOS, Allowing Streaming Apps & Services & Play Store’s New Search Tab appeared first on Phiture - Mobile Growth Consultancy and Agency.

    ]]>

    This month’s ASO Monthly edition outlines the most relevant January developments. Here, we shed light on trends in App Store Optimization, algorithm changes, insights into conversion rate optimization, and tool updates.

     

    January 5

    AI-generated FAQs on Play Store coming soon?

    Following a series of AI-focused milestones, another step from Google is the introduction of AI-generated FAQs on the Play Store. As reported by AssembleDebug on TheSpAndroid, an FAQ section seems to be appearing for a limited number of apps and games. Once activated, an FAQ card appears on an app’s listing page, featuring three predetermined questions: “What do people like most about this app?”, “Why is this app popular?”, and “What is this app about?” The answers, generated by AI, can be accessed by clicking on the dropdown arrow. Users have the option to collapse the section by selecting “Hide”.
    This might impact how many people read the long description, as the FAQs would already be answering the most common questions about the app.

     

    January 11

    Algorithmic anomalies reported in the Google Play Store

    As reported in previous ASO Monthlies, we saw numerous Algorithmic changes in both the App Store and the Google Play Store recently. Another algorithmic anomaly on the Google Play Store in multiple countries was reported, with a notable high on January 11 in the USA. We also noticed higher anomalies in China, Australia, Brazil, the UK, and more countries. Some members of Phiture’s ASO Stack Slack channel also reported anomalous metrics behavior in the Play Store.

    We recommend keeping a check on your metrics to understand how the algorithmic change may have impacted your app or game.

     

    January 15

    Apple is ready (reportedly) to enable Sideloading for iOS users in the EU

    Under the DMA, Apple is obligated to allow developers to distribute their iOS apps beyond the App Store, while also permitting third-party payment platforms for in-app purchases. Apple’s VP of Software, Craig Federighi, acknowledged last year the company’s need to comply with EU legislation, with the deadline for DMA compliance set for March 7. According to Bloomberg’s Mark Gurman, Apple is poised to introduce an update enabling sideloading for iPhone and iPad users in Europe “in the coming weeks.” Notably, Gurman indicates that this change will split the App Store into two versions: One for EU countries and another for the rest of the world. For ASO practitioners, this presents both new opportunities and increased competition for user attention, as users gain greater access to third-party apps, a trend long prevalent on Android. However, the reaction of iOS users to this change will decide the future of this change.

     

    January 16

    VisionOS-ready apps now rolling out on the App Store

    As reported by 9to5Mac, developers who submitted their visionOS apps for App Store Review earlier in the month are now receiving confirmation emails from Apple, indicating that their apps have been approved and are ready for download on the visionOS App Store. Although iOS App Store screenshots showcasing compatibility with Apple Vision Pro are yet to surface, it’s evident that progress is underway.

    While not every app may be suitable to be used with VisionOS, those that are should prioritize optimizing their app for the new device. Doing so could potentially lead to increased user engagement and early successes in this evolving App Store.

     

    January 25

    Apple allows game streaming apps and services on the App Store

    Apple has announced a significant update to its App Store policy, allowing game streaming apps like Xbox Cloud Streaming and GeForce Now to offer full-featured apps, rather than being restricted to web browsers. Developers can now submit one app containing their entire game catalog, streamlining the process. However, all content must adhere to App Store guidelines, including age ratings. Moreover, developers can now enhance discovery features for streaming games, mini-apps, chatbots, and plugins, which can also utilize Apple’s In-App Purchase system. These changes coincide with broader shifts in the App Store following an antitrust investigation by the European Commission, including allowing alternative app stores and browser engines in the EU.

    Consolidating multiple games under one Product Page streamlines management efforts, saving valuable resources previously allocated to managing multiple pages.

     

    January 26

    Google Play Store New Search Tab is finally here (At least for some)

    Noticed by Phiture’s Raad Kawar, Google Play Store’s new Search Tab is here. The updated tab showcases popular keywords, sponsored app results, and explore sections, providing users with more focused and streamlined search experiences. Notably, the emphasis on popular keyword tags suggests that apps optimized for these keywords will enjoy increased visibility. This means potentially higher traffic for advertisers, as the new section on the Search Tab enhances awareness and visibility. Additionally, the Explore section facilitates quicker navigation through categories, potentially driving more traffic through exploration. These updates reflect Google’s ongoing efforts to enhance the Play Store’s user experience and app discoverability. It should be noted that this new Search Tab still seems to be rolled out in phases as it is not available on every device as of now.

     

    Tool updates

    AppTweak: ASO Trends to look out for in 2024
    AppFollow: Why Privacy-focused App Marketing is the Buzzword of 2024

     

    Interesting reads / listens / watches

    A thorough guide to Deep linking and Strategic Marketing | SEMNEXUS
    ASA + ASO. Capitalizing on Valentine’s Day and the Holiday Season | AppFollow
    10 key differences in ASO between App Store & Google Play | AppTweak
    Top 10 Health & Fitness Apps on the US App Store by User Acquisition Performance | MobileAction

     

    Before you go

    As the App Store adapts to comply with DMA regulations (sideloading and allowing third-party payments), algorithm adjustments occur in both App Stores and VisionOS being launched, the upcoming months are expected to witness significant shifts in the App Store. For ASO practitioners, now more than ever, it’s crucial to delve deep into app metrics and maintain a vigilant watch on how these metrics evolve. This proactive approach enables timely adjustments and optimizations, positioning practitioners ahead of the competition in this dynamic and evolving landscape. Stay informed, stay vigilant, and stay ahead.

    The post ASO Monthly #93: AI-Generated FAQs, Algorithmic Anomalies, Sideloading on iOS, Preparing for VisionOS, Allowing Streaming Apps & Services & Play Store’s New Search Tab appeared first on Phiture - Mobile Growth Consultancy and Agency.

    ]]>
    ASO Monthly #92: Google Play 2023 at a Glance, App Store Algorithm Changes, Google Gemini, New App Store Category Navigation, Best Apps & Games in 2023 https://phiture.com/asostack/aso-monthly-92/ Tue, 09 Jan 2024 12:35:52 +0000 https://phiture.com/?p=95345 December developments in ASO: App Store algorithm anomaly, Google Gemini, App Store layout changes, top apps and games of 2023, and more.

    The post ASO Monthly #92: Google Play 2023 at a Glance, App Store Algorithm Changes, Google Gemini, New App Store Category Navigation, Best Apps & Games in 2023 appeared first on Phiture - Mobile Growth Consultancy and Agency.

    ]]>

    This month’s ASO Monthly edition outlines the most relevant December developments. Here, we shed light on trends in App Store Optimization, algorithm changes, insights into conversion rate optimization, and tool updates.

     

    December 2

    Google Play 2023 at a glance

    In last month’s edition of Notes from Google Play, Google delved into the many enhancements that shaped the Google Play experience throughout 2023. Some of the noteworthy improvements featured in the update encompassed “enhanced discoverability for Promotional Content cards,” an “optimized Play Store experience tailored for large-screen devices,” the integration of “A.I.-generated descriptions directly into Custom Store Listings,” “Pricing A/B tests within Google Play Console,” and an increased emphasis on “user privacy and data safety.” These transformative changes have proven instrumental for numerous ASO practitioners, allowing them to save time, elevate app visibility, and conduct effective tests on their monetization flows.

     

    December 5

    Algorithm anomaly reported in the App Store

    AppTweak’s Algorithm Change Detector showing a spike in December

    On December 5, the AppTweak algorithm change detector identified an anomaly score of 6 within the App Store, deviating significantly from the usual range, which typically hovers around 0 (e.g., 0.234 or 0.356). This observation suggests a recent algorithm change within the App Store, consequently impacting app indexing. Insights shared by members of the ASO Stack community on Slack highlight instances of sudden declines in keyword ranks, accompanied by reports of unexpected spikes in download metrics. If your app has encountered sudden setbacks in keyword rankings or download figures over the previous month, it may be due to this algorithmic shift.

     

    December 6

    Google introduces Gemini

    Image: Google

    On December 6th, Google unveiled Gemini, its most extensive and powerful AI model to date. The inaugural release of Gemini has been fine-tuned for three distinct sizes: Gemini Ultra, Gemini Pro, and Gemini Nano. As an increasing number of Mobile Growth Marketers embrace the fusion of AI with their expertise to address daily growth challenges and tasks, Gemini emerges as a valuable asset. Users seeking to streamline their operations and automate repetitive tasks—ranging from description writing and trend analysis from KPIs to caption generation and summarizing group app reviews—will find Gemini to be an indispensable tool.

     

    December 11

    Apple introduces new layout for easier category navigation

    Image: MacRumors

    With the release of iOS 17.2, the App Store revamped the “Apps” and “Games” pages, introducing a top bar for easier category navigation. This addresses the previous challenge of locating categories at the bottom of the Apps page. Additionally, Apple redesigned category tags at the page bottom, enhancing their visual appeal with larger icons and background colors. This update, mainly available on newer devices in the USA, improves the App Store experience but is not yet universally available across all regions.

     

    December 12

    Apple highlights the top Apps and Games of 2023

    As the year concluded, Apple highlighted the top apps and games of 2023 on the App Store, recognized through year-end charts tailored for users across 35 countries and regions. The 2023 App Store Awards celebrated outstanding apps and games chosen by the App Store Editorial team for delivering meaningful experiences and fostering cultural transformation. ASO practitioners can learn valuable lessons from these exceptional apps, understanding their commitment to quality and optimized user journeys, as well as gain valuable knowledge about Apple’s selection process. This knowledge is crucial for all developers aiming to enhance user experiences and streamline the journey from page optimization to user conversion.

     

    Tool updates

    AppTweak: 2023 Product Recap
    MobileAction: 2023 Product Recap

     

    Interesting reads / listens / watches

    Top 10 Travel Apps on the USA App Store by User Acquisition Performance | MobileAction
    The most popular App Store keywords of 2023 | AppTweak
    5 ASO Tips to Optimise Your Fintech App | AppFollow
    Leveraging In-App Events for Enhanced iOS Ranking | App Guardians

     

    Before you go

    With the App Store’s improved category layout, featured apps and games can expect more traffic, starting in the USA and expanding globally. This shift emphasizes the need for ASO Consultants to pitch for featuring and run engaging In-App events for a stronger category presence. Games, in particular, may benefit more from increased discoverability as more users actively explore the Stores for new gaming experiences, unlike most app categories where brand searches dominate.

    The post ASO Monthly #92: Google Play 2023 at a Glance, App Store Algorithm Changes, Google Gemini, New App Store Category Navigation, Best Apps & Games in 2023 appeared first on Phiture - Mobile Growth Consultancy and Agency.

    ]]>
    Mobile Marketing in 2024: Phiture’s Predictions https://phiture.com/blog/mobile-marketing-2024-predictions/ Fri, 22 Dec 2023 13:19:28 +0000 https://phiture.com/?p=95292 In this blog post, we'll explore the key trends and strategies that will help you navigate the ever-changing mobile app landscape and drive growth and engagement for your app in 2024.

    The post Mobile Marketing in 2024: Phiture’s Predictions appeared first on Phiture - Mobile Growth Consultancy and Agency.

    ]]>

    As we step into 2024, the mobile world is going through some big changes. There is a race among marketers to use AI in their strategies, and come up with new and bold ideas. We are also facing economic challenges resulting in reduced consumer demand and higher prices. This is making businesses rethink how they spend their money on ads. Amidst all this, there’s a silver lining of new technologies that could reshape how we use our phones. So, let’s try to deep dive into what gets us excited these days here at Phiture.

     

    Your app as an ad network

    Adtech analyst Eric Seufert coined the phrase “Everything is an ad network”. As Facebook and Google lose access to unlimited access to user data due to privacy regulations, the media landscape is changing, and their dominance is being challenged. Any company with sufficient supply of customer data in a first-party environment is now presented with the opportunity to build an advertising network.

    The concept of retail media isn’t novel in itself: Think loyalty cards, vouchers or coupons. What’s new is the integration of these practices into both digital and physical worlds. Marriott, a hotel chain, is rolling out a media network leveraging its guest data to deliver targeted ads across its websites, apps, and even in-room TV sets.

    This trend is illustrated by tech giants such as Amazon, Uber, and Instacart, who successfully monetize the ad space within their apps. For example, Instacart raked in $740 million in ad revenue in 2022, making up an impressive 29% of its total earnings. Projections from research firm Insider Intelligence indicate a surge in net ad revenues for retail media advertising in the US: Surpassing $55 billion in 2024 from $41 billion this year.

    The potential for innovative and personalized advertising opportunities is endless. Imagine an entertainment company targeting airline passengers vacationing near its theme parks. This fusion of data and advertising opens doors to a new era of ad tech.

     

    Brand vs. Performance

    Apple’s privacy changes made paid media more expensive and less effective, so it’s only natural that CMO’s are shifting budgets to brand campaigns. Airbnb is a case in point: Pre-pandemic, its marketing strategy was primarily performance-driven. Yet, in 2020, Airbnb, facing an 80% business loss overnight, reinvented itself by ditching performance ads. The shift change has largely paid off, with their traffic levels reaching 95% of pre-pandemic figures. Would this work for less-established companies too?

    CEO of Eight Sleep, Matteo Franceschetti introduced “the rule of seven touch points”. In a world bombarded with stimuli, customers need to encounter a brand at least seven times before making a purchase decision. This shows that advertising shouldn’t be just aimed at immediate sales, but at leaving lasting impressions that result in future transactions.

    Take TikTok, for example: Their users largely don’t mind ads — they even like them. According to DISQO research, two out of three TikTok users view ads positively as “fun and engaging,” “trendsetting,” and “inspiring.” This is likely because TikTok ads don’t feel like ads; think of the traditional banners and carousel formats that would fall flat with their audience. The platform values authenticity and fun. Ads that work best are those that seamlessly blend with user-generated content in the feed.

    The lines between brand and performance, or organic and paid advertising are increasingly blurry. When teams become siloed, businesses suffer. This highlights the need for a dynamic and adaptable ad strategy in the coming year.

     

    Personalization beyond the download

    McKinsey’s research shows the rising demand for personalized interactions, with 71% of consumers expecting tailored experiences. And the story doesn’t end there: 76 percent get frustrated when this doesn’t happen.

    For mobile marketers, Apple and Google provide tools for personalizing the user journey through targeted ads and custom product pages. Augmenting these capabilities with AI, platforms like Aampe take it a step further, generating unique insights for each customer via in-app CRM.

    As we move into 2024, the ability to deliver personalized experiences from ad to purchase will be key to successful app strategies. Chinese shopping apps such as Shein and Temu are leading the way. By analyzing user history, browsing behavior, and interests, Shein can provide tailored product recommendations for each user, improving the shopping experience, increasing sales, and customer loyalty. What’s even more impressive is that they are using order data and in-app clicks to automate warehouse management and schedule delivery vehicles.

    The mobile app space is a saturated one — the average smartphone owner uses just nine to ten apps a day and 30 apps over a month. This stiff competition creates a need for ensuring not only initial downloads but sustained engagement and retention. That requires close collaboration across all Growth functions and resources. Embracing these trends will position your app as capable of navigating the evolving digital landscape and delivering experiences that resonate with the modern consumer.

     

    Happy holidays from all of us here at Phiture 💚

    We’re wishing you joy, warmth, and endless celebrations this holiday season! May your days be filled with love, laughter, and cherished moments. Here’s to a festive season that embraces the traditions that make us all unique. Happy holidays from all of us at Phiture — we’ll see you in the new year! 💫

    The post Mobile Marketing in 2024: Phiture’s Predictions appeared first on Phiture - Mobile Growth Consultancy and Agency.

    ]]>