The Android App Market on Google Play
  • AI Chat
  • Code
  • Report
  • Spinner

    1. Google Play Store apps and reviews

    Mobile apps are everywhere. They are easy to create and can be lucrative. Because of these two factors, more and more apps are being developed. In this notebook, we will do a comprehensive analysis of the Android app market by comparing over ten thousand apps in Google Play across different categories. We'll look for insights in the data to devise strategies to drive growth and retention.

    Google Play logo

    Let's take a look at the data, which consists of two files:

    • apps.csv: contains all the details of the applications on Google Play. There are 13 features that describe a given app.
    • user_reviews.csv: contains 100 reviews for each app, most helpful first. The text in each review has been pre-processed and attributed with three new features: Sentiment (Positive, Negative or Neutral), Sentiment Polarity and Sentiment Subjectivity.
    # Read in dataset
    import pandas as pd
    apps_with_duplicates = pd.read_csv('datasets/apps.csv')
    Hidden output
    apps_with_duplicates.head(3)
    apps_with_duplicates.info()
    apps_with_duplicates[apps_with_duplicates["Type"]=="Paid"].count
    # Drop duplicates from apps_with_duplicates
    apps = apps_with_duplicates.drop_duplicates()
    # Print the total number of apps
    print('Total number of apps in the dataset = ', apps.shape)
    # Have a look at a random sample of 5 rows
    print(apps.sample(5))
    
    # printna vlaue
    print(apps.isna().sum())

    2. Data cleaning

    Data cleaning is one of the most essential subtask any data science project. Although it can be a very tedious process, it's worth should never be undermined.

    By looking at a random sample of the dataset rows (from the above task), we observe that some entries in the columns like Installs and Price have a few special characters (+ , $) due to the way the numbers have been represented. This prevents the columns from being purely numeric, making it difficult to use them in subsequent future mathematical calculations. Ideally, as their names suggest, we would want these columns to contain only digits from [0-9].

    Hence, we now proceed to clean our data. Specifically, the special characters , and + present in Installs column and $ present in Price column need to be removed.

    It is also always a good practice to print a summary of your dataframe after completing data cleaning. We will use the info() method to acheive this.

    # List of characters to remove
    chars_to_remove = ['+',',','$']
    # List of column names to clean
    cols_to_clean = ['Installs','Price']
    
    # Loop for each column in cols_to_clean
    for col in cols_to_clean:
        # Loop for each char in chars_to_remove
        for char in chars_to_remove:
            # Replace the character with an empty string
            apps[col] = apps[col].apply(lambda x: x.replace(char, ""))
            
    # Print a summary of the apps dataframe
    print(apps.info())

    3. Correcting data types

    From the previous task we noticed that Installs and Price were categorized as object data type (and not int or float) as we would like. This is because these two columns originally had mixed input types: digits and special characters. To know more about Pandas data types, read this.

    The four features that we will be working with most frequently henceforth are Installs, Size, Rating and Price. While Size and Rating are both float (i.e. purely numerical data types), we still need to work on Installs and Price to make them numeric.

    import numpy as np
    
    # Convert Installs to float data type
    apps['Installs'] = apps['Installs'].astype('float')
    
    # Convert Price to float data type
    apps['Price'] = apps['Price'].astype('float')
    
    # Checking dtypes of the apps dataframe
    print(apps.info())

    4. Exploring app categories

    With more than 1 billion active users in 190 countries around the world, Google Play continues to be an important distribution platform to build a global audience. For businesses to get their apps in front of users, it's important to make them more quickly and easily discoverable on Google Play. To improve the overall search experience, Google has introduced the concept of grouping apps into categories.

    This brings us to the following questions:

    • Which category has the highest share of (active) apps in the market?
    • Is any specific category dominating the market?
    • Which categories have the fewest number of apps?

    We will see that there are 33 unique app categories present in our dataset. Family and Game apps have the highest market prevalence. Interestingly, Tools, Business and Medical apps are also at the top.

    import plotly
    plotly.offline.init_notebook_mode(connected=True)
    import plotly.graph_objs as go
    # Print the total number of unique categories
    num_categories = len(apps['Category'].unique())
    print('List of categories: \n', apps['Category'].unique())
    print('Number of categories = ',num_categories)