Wednesday, September 3, 2025
HomeArtificial IntelligenceCreating Slick Knowledge Dashboards with Python, Taipy & Google Sheets

Creating Slick Knowledge Dashboards with Python, Taipy & Google Sheets

Creating Slick Knowledge Dashboards with Python, Taipy & Google SheetsCreating Slick Knowledge Dashboards with Python, Taipy & Google Sheets
Picture by Creator | Ideogram

 

Introduction

 
Knowledge has turn out to be an important useful resource for any enterprise, because it gives a method for corporations to realize worthwhile insights, significantly when making choices. With out knowledge, choices rely solely on intuition and luck, which isn’t the best method.

Nonetheless, huge quantities of uncooked knowledge are obscure. It gives no direct insights and requires additional processing. This is the reason many individuals depend on utilizing knowledge dashboards to summarize, visualize, and navigate the uncooked knowledge we have now. By creating a glossy dashboard, we will present a simple manner for non-technical customers to simply acquire insights from knowledge.

That is why this text will discover find out how to create a glossy knowledge dashboard by leveraging Python, Taipy, and Google Sheets.

Let’s get into it.

 

Creating a Slick Knowledge Dashboard

 
We’ll begin the tutorial by getting ready all the mandatory credentials to entry Google Sheets through Python. First, create a Google account and navigate to the Google Cloud Console. Then, navigate to APIs & Companies > Library, the place it’s good to allow the Google Sheets API and Google Drive API.

After enabling the APIs, return to APIs & Companies > Credentials and navigate to Create Credential > Service Account. Observe the instructions and assign the position, resembling Editor or Proprietor, in order that we will learn and write to Google Sheets. Choose the service account we simply created, then navigate to Keys > Add Key > Create New Key. Choose JSON and obtain the credentials.json file. Retailer it someplace and open the file; then, copy the e-mail worth beneath client_email.

For the dataset, we’ll use the cardiac dataset from Kaggle for instance. Retailer the file in Google Drive and open it as Google Sheets. Within the Google Sheets file, go to the File > Share button and add the e-mail you simply copied. Lastly, copy the URL for the Google Sheets file, as we’ll entry the information later through the URL.

Open your favourite IDE, after which we’ll construction our venture as follows:

taipy_gsheet/
│
├── config/
│   └── credentials.json         
├── app.py                   
└── necessities.txt

 

Create all the mandatory information, after which we’ll begin creating our dashboard. We will likely be utilizing Taipy for the appliance framework, pandas for knowledge manipulation, gspread and oauth2client for interacting with the Google Sheets API, and plotly for creating visualizations. Within the necessities.txt file, add the next packages:

taipy
pandas
gspread
oauth2client
plotly

 

These are the mandatory libraries for our tutorial, and we’ll set up them in our surroundings. Remember to make use of a digital surroundings to forestall breaking your important surroundings. We will even use Python 3.12; as of the time this text was written, that is the Python model that presently works for the libraries above.

Set up the libraries utilizing the next command:

pip set up -r necessities.txt

 

If the set up is profitable, then we’ll put together our software. In app.py, we’ll construct the code to arrange our dashboard.

First, we’ll import all the mandatory libraries that we are going to use for creating the appliance.

import pandas as pd
import gspread
import plotly.categorical as px
import taipy as tp
from taipy import Config
from taipy.gui import Gui
import taipy.gui.builder as tgb

 

Subsequent, we’ll load the information from Google Sheets utilizing the next code. Change the SHEET_URL worth along with your precise knowledge URL. Moreover, we’ll preprocess the information to make sure it really works nicely.

SHEET_URL = "https://docs.google.com/spreadsheets/d/1Z4S3hnV3710OJi4yu5IG0ZB5w0q4pmNPKeYy8BTyM8A/"
shopper = gspread.service_account(filename="config/credentials.json")
df_raw = pd.DataFrame(shopper.open_by_url(SHEET_URL).get_worksheet(0).get_all_records())
df_raw["sex"] = pd.to_numeric(df_raw["sex"], errors="coerce").fillna(0).astype(int)
df_raw["sex_label"] = df_raw["sex"].map({0: "Feminine", 1: "Male"})

 

Then, we’ll put together the dashboard with Taipy. Taipy is an open-source library for data-driven functions, protecting each front-end and back-end improvement. Let’s use the library to construct the information dashboard with the fundamental options we will use with Taipy.

Within the code beneath, we’ll develop a state of affairs, which is a pipeline that the person can execute for what-if evaluation. It is primarily a framework for experimenting with numerous parameters that we will go to the pipeline. For instance, right here is how we put together a state of affairs for the common age with the enter of the gender filter.

def compute_avg_age(filtered_df: pd.DataFrame, gender_filter: str) -> float:
    knowledge = (
        filtered_df
        if gender_filter == "All"
        else filtered_df[filtered_df["sex_label"] == gender_filter]
    )
    return spherical(knowledge["age"].imply(), 1) if not knowledge.empty else 0

filtered_df_cfg = Config.configure_data_node("filtered_df")
gender_filter_cfg = Config.configure_data_node("gender_filter")
avg_age_cfg = Config.configure_data_node("avg_age")

task_cfg = Config.configure_task(
    "compute_avg_age", compute_avg_age, [filtered_df_cfg, gender_filter_cfg], avg_age_cfg
)
scenario_cfg = Config.configure_scenario("cardiac_scenario", [task_cfg])
Config.export("config.toml")

 

We’ll revisit the state of affairs later, however let’s put together the gender choice itself and its default state.

gender_lov = ["All", "Male", "Female"]
gender_selected = "All"
filtered_df = df_raw.copy()
pie_fig = px.pie()
box_fig = px.field()
avg_age = 0

 

Subsequent, we’ll create the features that replace our variables and knowledge visualizations when a person interacts with the dashboard, resembling by deciding on a gender or submitting a state of affairs.

def update_dash(state):
    subset = (
        df_raw if state.gender_selected == "All"
        else df_raw[df_raw["sex_label"] == state.gender_selected]
    )
    state.filtered_df = subset
    state.avg_age = spherical(subset["age"].imply(), 1) if not subset.empty else 0

    state.pie_fig = px.pie(
        subset.groupby("sex_label")["target"].rely().reset_index(identify="rely"),
        names="sex_label", values="rely",
        title=f"Goal Depend -- {state.gender_selected}"
    )
    state.box_fig = px.field(subset, x="sex_label", y="chol", title="Ldl cholesterol by Gender")

def save_scenario(state):
    state.state of affairs.filtered_df.write(state.filtered_df)
    state.state of affairs.gender_filter.write(state.gender_selected)
    state.refresh("state of affairs")
    tp.gui.notify(state, "s", "Situation saved -- undergo compute!")

 

With the features prepared, we’ll put together the front-end dashboard with a primary composition with the code beneath:

with tgb.Web page() as web page:
    tgb.textual content("# Cardiac Arrest Dashboard")
    tgb.selector(worth="{gender_selected}", lov="{gender_lov}",
                 label="Choose Gender:", on_change=update_dash)

    with tgb.format(columns="1 1", hole="20px"):
        tgb.chart(determine="{pie_fig}")
        tgb.chart(determine="{box_fig}")

    tgb.textual content("### Common Age (Stay): {avg_age}")
    tgb.desk(knowledge="{filtered_df}", pagination=True)

    tgb.textual content("---")
    tgb.textual content("## Situation Administration")
    tgb.scenario_selector("{state of affairs}")
    tgb.selector(label="Situation Gender:", lov="{gender_lov}",
                 worth="{gender_selected}", on_change=save_scenario)
    tgb.state of affairs("{state of affairs}")
    tgb.scenario_dag("{state of affairs}")
    tgb.textual content("**Avg Age (Situation):**")
    tgb.data_node("{state of affairs.avg_age}")
    tgb.desk(knowledge="{filtered_df}", pagination=True)

 

The dashboard above is easy, however it would change in response to the choices we make.

Lastly, we’ll put together the orchestration course of with the next code:

if __name__ == "__main__":
    tp.Orchestrator().run()
    state of affairs = tp.create_scenario(scenario_cfg)
    state of affairs.filtered_df.write(df_raw)
    state of affairs.gender_filter.write("All")
    Gui(web page).run(title="Cardiac Arrest Dashboard", dark_mode=True)

 

After getting the code prepared, we’ll run the dashboard with the next command:

 

Routinely, the dashboard will present up in your browser. For instance, right here is an easy cardiac arrest dashboard with the visualizations and the gender choice.

In case you are scrolling down, right here is how the state of affairs pipeline is proven. You may attempt to choose the gender and submit the state of affairs to see the variations within the common age.

That is how one can construct a slick knowledge dashboard with only a few elements. Discover the Taipy documentation so as to add visualizations and options which can be appropriate on your dashboard wants.

 

Wrapping Up

 
Knowledge is a useful resource that each firm wants, however gaining insights from the information is harder if it isn’t visualized. On this article, we have now created a glossy knowledge dashboard utilizing Python, Taipy, and Google Sheets. We demonstrated how to hook up with knowledge from Google Sheets and make the most of the Taipy library to assemble an interactive dashboard.

I hope this has helped!
 
 

Cornellius Yudha Wijaya is a knowledge science assistant supervisor and knowledge author. Whereas working full-time at Allianz Indonesia, he likes to share Python and knowledge suggestions through social media and writing media. Cornellius writes on a wide range of AI and machine studying matters.

RELATED ARTICLES

LEAVE A REPLY

Please enter your comment!
Please enter your name here

Most Popular

Recent Comments