This is a continuation of Part 1 of our blog series. It's advisable to read Part 1 to understand how we got to this stage.
Tutorial Outline
For reference, here's the outline of this blog series:
- Part 1: Setting up Strapi & implementing the app's CRUD functionalities.
- Part 2: Adding visualization with charts
- Part 3: Setting up user authentication and personalized reporting
In this, we'll learn how to visualize the financial data we dealt with in the previous part using Chart.js. We want to view the financial data of our Finance Tracker app using bar charts and pie charts.
Introduction to Data Visualization
Why is it important to visualize financial data? Visualizing financial data is essential for several reasons such as:
- It provides clarity. When complex, we visually represent using charts and graphs, which makes it easier to understand than plain text.
- It helps track financial goals and monitors progress over time. They provide a clear view of budgets, income, expenses, and overall financial health.
- Visualization helps identify trends in income and spending, which can help you make informed decisions about your finances.
Overview of Chart.js
Chart.js is a flexible and easy-to-use open-source JavaScript library for creating charts and graphs. It is easy to use and provides a simple API for creating different types of charts with a few lines of code.
Chart.js offers customization options, allowing users to style charts to meet their specific requirements. It also has built-in support for animations.
Install Chart.js in the Next.js Project
To visualize our application's budget data, we'll use two charts (a bar chart and a pie chart).
- To get started, let's install the Chart.js library using this command:
npm install chart.js- We'll also install the chartjs-plugin-datalabelsplugin. This plugin allows us to display custom labels inside or outside chart elements, like pie slices. We'll be using it specifically for the pie chart.
npm install chartjs-plugin-datalabels- Since we'll be using two charts, let's create two components for the charts inside our budgetfolder, located inside thedashboardfolder. We'll name them -BarChart.tsxandPieChart.tsx.
Prepare the Overview.tsx Component for Receiving Chart Data
If you recall, or you can refer back to Part 1 of this series, you'll see how the Overview component is structured. We'll need to add a few things to implement this visualization feature.
Let's modify our Overview component to fetch the budget data from Strapi CMS and display the charts.
Here's how we'll do it:
First, we'll import the hooks we'll be using. We'll import the Axios library and then the two newly created components in our Overview.tsx component.
1"use client";
2import React, { useState, useEffect } from "react";
3import axios from "axios";
4import BarChart from "./budget/BarChart";
5import PieChart from "./budget/PieChart";- We'll create states to store the budget and chart data types. The states will enable users to select which chart visual they want to view (bar chart or pie chart), the default being bar chart:
1const [budgets, setBudgets] = useState<{ category: string; amount: number }[]>(
2  [],
3);
4const [chartType, setChartType] = useState<"bar" | "pie">("bar");- We'll implement the useEffecthook to take two arguments. The first argument is a function that runs as the side effect and an empty dependency array. This dependency array will only run once when the component mounts.
1useEffect(() => {
2     ...
3}, []);- Inside the useEffecthook, we'll create afetchBudgetsasynchronous function to fetch the budget data from the API. Using theAxioslibrary, we'll send aGETrequest to the budget API endpoint.
- The response reswill contain thedataproperty of the budget data. Then, we'll use themaparray method to iterate over each budget item and create a new array of objects containing only the category and amount properties.
- The setBudgets(data)will then update the budget state with the fetched and mapped data.
1const fetchBudgets = async () => {
2  try {
3    const res = await axios.get(
4      "http://localhost:1337/api/budgets?populate=budget",
5    );
6    const data = res.data.data.map((budget: any) => ({
7      category: budget.attributes.category,
8      amount: budget.attributes.amount,
9    }));
10    setBudgets(data);
11  } catch (error) {
12    console.error("Error fetching budgets:", error);
13  }
14};
15
16fetchBudgets();- We'll call the fetchBudgetsfunction after defining it within theuseEffecthook.
- After that, we will store the budget category and amount inside variables categoriesandamounts:
1const categories = budgets.map((budget) => budget.category);
2const amounts = budgets.map((budget) => budget.amount);Visualize Budget Categories With Bar Chart
It's time to write the functionalities to create these charts.
We will navigate to the BarChart.tsx component.
- We'll first import the necessary hooks and the chart.jslibrary. We'll use theautopackage to ensure all features fromchart.jsare available.
1import React, { useEffect, useRef } from "react";
2import Chart from "chart.js/auto";- We'll define an interface for the props expected by the component - arrays for categoriesandamounts.
1interface BarChartProps {
2  categories: string[];
3  amounts: number[];
4}- The BarChartcomponent will takecategoriesandamountsas props. We will create achartReffunction to reference the canvas element, which we will soon create to represent the Chart.js instance.
1const BarChart: React.FC<BarChartProps> = ({ categories, amounts }) => {
2const chartRef = useRef<HTMLCanvasElement | null>(null);- Using the useEffecthook, we'll create the chart when the component mounts or when the categories and amounts props change:
1useEffect(() => {
2  if (chartRef.current) {
3    const chartInstance = new Chart(chartRef.current, {
4      type: "bar",
5      data: {
6        labels: categories,
7        datasets: [
8          {
9            label: "Budget Amount",
10            data: amounts,
11            backgroundColor: [
12              "rgba(75, 192, 192, 0.2)",
13              "rgba(54, 162, 235, 0.2)",
14              "rgba(153, 102, 255, 0.2)",
15            ],
16            borderColor: [
17              "rgb(75, 192, 192)",
18              "rgb(54, 162, 235)",
19              "rgb(153, 102, 255)",
20            ],
21            borderWidth: 1,
22          },
23        ],
24      },
25      options: {
26        scales: {
27          y: {
28            beginAtZero: true,
29          },
30        },
31        plugins: {
32          title: {
33            display: true,
34            text: "Budget data - bar chart",
35            padding: {
36              top: 10,
37              bottom: 30,
38            },
39          },
40        },
41      },
42    });
43
44    return () => {
45      chartInstance.destroy();
46    };
47  }
48}, [categories, amounts]);
49
50return <canvas ref={chartRef} />;- In the - useEffectfunction above, we added the- if (chartRef.current)to ensure that the chart is only created if the canvas element is available.
- The - new Chart(chartRef.current, { ... })creates a new Chart.js instance with the specified type, data, and options.
- type: 'bar'specifies that the chart is a bar chart.
- The - dataobject contains the chart's labels (- categories) and datasets (- amounts), including the label, data, and bar colors.
- The - optionsobject is the configuration options for the chart, such as making the y-axis start at zero. The- pluginsobject inside the `options has a property for setting a title for the chart.
- The - return () => { chartInstance.destroy(); }statement cleans up the chart instance when the component unmounts or updates.
- Lastly, the <canvas ref={chartRef} />renders a canvas element with arefto attach the Chart.js instance.
Visualize Budget Categories With Pie Chart
For our pie chart, we want to view the percentage each budget category is taking, e.g., 20% for savings, 40% for food, etc.
We will head over to the PieChart.tsx component and perform the following updates.
- Similar to the BarChartcomponent, we'll start by importing the necessary hooks and dependencies:
1import React, { useEffect, useRef } from 'react';
2import Chart from 'chart.js/auto';
3import ChartDataLabels from 'chartjs-plugin-datalabels';- We'll include this method from the chartjs-plugin-datalabelsplugin:
1Chart.register(ChartDataLabels);- We'll then define the interface for the props expected by the component - arrays for categoriesandamounts.
1interface PieChartProps {
2  categories: string[];
3  amounts: number[];
4}- Next, we'll define the PieChartcomponent. It will takecategoriesandamountsas props. Then, we'll define thechartRef: Reffunction to reference the canvas element.
1const PieChart: React.FC<PieChartProps> = ({ categories, amounts }) => {
2  const chartRef = useRef<HTMLCanvasElement | null>(null);- Next, we initialize the chart inside a useEffecthook like this:
1useEffect(() => {
2  if (chartRef.current) {
3    const totalAmount = amounts.reduce((acc, amount) => acc + amount, 0);
4
5    const chartInstance = new Chart(chartRef.current, {
6      type: "pie",
7      data: {
8        labels: categories,
9        datasets: [
10          {
11            label: "Budget Amount",
12            data: amounts,
13            backgroundColor: [
14              "rgba(255, 99, 132, 0.6)",
15              "rgba(54, 162, 235, 0.6)",
16              "rgba(255, 206, 86, 0.6)",
17              "rgba(75, 192, 192, 0.6)",
18              "rgba(153, 102, 255, 0.6)",
19              "rgba(255, 159, 64, 0.6)",
20            ],
21            borderColor: [
22              "rgba(255, 99, 132, 1)",
23              "rgba(54, 162, 235, 1)",
24              "rgba(255, 206, 86, 1)",
25              "rgba(75, 192, 192, 1)",
26              "rgba(153, 102, 255, 1)",
27              "rgba(255, 159, 64, 1)",
28            ],
29            borderWidth: 1,
30          },
31        ],
32      },
33      options: {
34        responsive: true,
35        maintainAspectRatio: false,
36        plugins: {
37          title: {
38            display: true,
39            text: "Budget data - pie chart",
40            padding: {
41              top: 10,
42              bottom: 30,
43            },
44          },
45          datalabels: {
46            color: "white",
47            formatter: (value, context) => {
48              const percentage = ((value / totalAmount) * 100).toFixed(2);
49              return `${percentage}%`;
50            },
51          },
52        },
53      },
54    });
55
56    return () => {
57      chartInstance.destroy();
58    };
59  }
60}, [categories, amounts]);- We initialized the - useEffecthook and added a- totalAmountfunction to calculate the percentage of each category compared to other categories.
- Just like the bar chart, the - type: 'pie'specifies that the chart is a pie chart.
- The - backgroundColorand- borderColorarrays specify the colors for the pie chart segments.
- The - options: { responsive: true }object makes the pie chart responsive. We added the- maintainAspectRatio: falsein the options object to ensure that the chart does not maintain the default aspect ratio and can scale to the size of its container.- NOTE: The default size can be quite large and take up a lot of space on your page, so you can set width and height to reduce pie chart size. 
- The - titleproperty inside the- pluginsobject sets the title display to- true,which displays the chart's title.
- The - datalabelsobject contains each category's percentage values and sets the percentage text's color to white.
- We returned the canvas element by wrapping the canvas element in a - divelement with specific width and height styles. We gave the canvas element width and height attributes to set its width and height.
1return (
2  <div style={{ marginTop: "15px", width: "700px", height: "700px" }}>
3    <canvas
4      ref={chartRef}
5      width="700"
6      height="700"
7      aria-label="Hello ARIA World"
8      role="img"
9    />
10  </div>
11);You can adjust your chart size any way you want it to look.
Render the Pie and Bar Charts in the Overview Page
We've modified the overview page by preparing it for the charts and writing the code. Now, we need to display the charts on the overview page.
In the JSX of our Overview.tsx component, we'll render the UI:
1<main>
2  <div>
3    <section>
4      <h2>OVERVIEW</h2>
5      <div>
6        <button
7          onClick={() => setChartType("bar")}
8          className={`mx-2 py-2 px-3 ${chartType === "bar" ? "bg-teal-500 text-white" : "bg-gray-200 text-gray-700"} rounded-lg`}
9        >
10          Bar Chart
11        </button>
12        <button
13          onClick={() => setChartType("pie")}
14          className={`mx-2 py-2 px-3 ${chartType === "pie" ? "bg-teal-500 text-white" : "bg-gray-200 text-gray-700"} rounded-lg`}
15        >
16          Pie Chart
17        </button>
18      </div>
19    </section>
20    <section className="mt-8">
21      {chartType === "bar" ? (
22        <BarChart categories={categories} amounts={amounts} />
23      ) : (
24        <PieChart categories={categories} amounts={amounts} />
25      )}
26    </section>
27  </div>
28</main>;- We created a - divelement with two buttons. Each button has an- onClickhandler that sets the chart type to either 'bar' or 'pie.' The buttons are styled based on the current- chartTypestate, representing the type we want to display.
- The page then conditionally renders either the - BarChartor- PieChartcomponent based on the current value of- chartType.
- If - chartTypeis- 'bar', the- BarChartcomponent is rendered. If- chartTypeis- 'pie', the- PieChartcomponent is rendered. Both components receive- categoriesand- amountsas props to display the data.
Now our charts are ready.
Here's what our bar chart should look like:
Here's what our pie chart should look like:
If we edit a budget item from the budget page, like the category it falls under or the amount, the charts will adjust to match the new budget value.
Items and values will be dynamically added to the charts if we add more budgets via the budget page. Change the background and border colors and play around with the values.
Add Animation to the Charts
Let's add a little animation to our charts.
First, in the bar chart, we'll add the easeOutElastic animation property. 
- To do this, we'll include another property in the optionsobject calledanimation. This property will be an object with two values -durationandeasing.
1animation: {
2  duration: 6000, // Increase or decrease the duration
3  easing: 'easeOutElastic', // Using the easing function
4},We set the duration to 6000 milliseconds (6 seconds) to make the animation slower and more noticeable. When our visualization loads, the bars elasticate for 6 seconds before setting to their proper position.
In the pie chart, we'll add a bouncing animation using the easeOutBounce property.
- We'll include the animationproperty inside theoptionsobject with two values to do this.
1animation: {
2  duration: 6000,
3  easing: 'easeOutBounce', 
4},Animation Demo
When we load our page, we'll see the bar chart's elastic animation and the pie segments' bouncing animation.
More Animations?
Check out the chart.js documentation site for a full list of other animations and transitions you can add to the charts.
We can use other charts to visualize financial data, but we will only use bar and pie charts for this article. If you're interested in exploring more visualizations with Chart.js, check out other chart types.
You can apply this concept to visualize other parts of your application. For example, you can visualize expenses for a few months to see how much you spent in a particular month compared to other months.
This is useful for making financial decisions and identifying trends.
Conclusion
In Part 2 of this tutorial series, we reviewed an overview of charts, set up Pie and Bar charts in Next.js using Chart.js and Strapi CMS, prepared them for data, added animation, and rendered them.
This project's GitHub repo has been updated to include financial data visualization.
Watch for the last part (part 3) of this blog series, where we'll add authentication and a personalized reporting feature to our finance tracker application.
Juliet is a developer and technical writer whose work aims to break down complex technical concepts and empower developers of all levels.