DEV Community

Cover image for Financial liquidity planner with ReactGrid and Chart.js
Patryk Eliasz for ReactGrid

Posted on • Originally published at reactgrid.com

Financial liquidity planner with ReactGrid and Chart.js

We made ReactGrid to compose your view with arbitrary cell order. In many components and tools in React ecosystem you have to keep the same data schema in all rows. Our component breaks out from the frame. You can add it to your project simply by running:

npm i @silevis/reactgrid
Enter fullscreen mode Exit fullscreen mode

Even if you don't need it in your project right now, you can leave a ⭐ in our Github project.

Today we will show you how to build a liquidity planner - an app that provides a strategy for financial planning in a long term. Our app will provide entering, aggregating, and evaluating planned cash flows.

finished-app.gif

On the Internet, you can find many spreadsheets files that e.g. accountants and financial analysts use - one of them, as an inspiration, will be moved from spreadsheet to standalone, fully reactive React.js app. We also visualize common parameters that help in decision-making with the Chart.js library.

What is ReactGrid made for?

ReactGrid was designed to handle complex data displaying and editing in an arbitrary way. We depart from the rule of placing cells in the same order in every row - therefore you are able to add a spreadsheet-like experience to your React app.

Liquidity planner is one of the many cases, in which 90% of React data table components usage is insufficient to recreate the expected look and feel.

reactgrid-use-cases.png

Planning app with ReactGrid

Before we start coding, we will talk about good practices that help to make predictable apps. Obviously, it's a good idea to apply them in all projects:

  1. Separate the data from ReactGrid

The main concept of reactivity is updating your view every time your data changes. Very often we have no influence on the data structure, but we can map it to the structure that is the most convenient for us. Before the data becomes acceptable by ReactGrid or Chart.js we have to calculate a few variables in a repeatable way. This data lives only “for a moment” and should be independent from data and ReactGrid internal interfaces like Column and Row.

import * as React from "react";
import { ReactGrid, Row } from "@silevis/reactgrid";

const App = () => {
  const [rows, setRows] = React.useState<Row[]>(() => getReactGridRows());
  return (
    <ReactGrid
      rows={rows}
      ...{props}
    />
  );
};
Enter fullscreen mode Exit fullscreen mode
  1. Apply changes directly to the data

ReactGrid contains its own encapsulated state to manage many background functionalities, like virtual scrolling or rendering optimizations. This state is based on rows and columns - two necessary ReactGrid props. ReactGrid is read-only until you define your own changes handling function, but a good practice is to update data at its source. After that the cycle of reactivity concept is complete.

Be aware of updating data that is directly related with ReactGrid interfaces ⚠️

import * as React from "react";
import { ReactGrid, Row, CellChange } from "@silevis/reactgrid";

const App = () => {
  const [rows, setRows] = React.useState<Row[]>(() => getReactGridRows());

  const handleChanges = (changes: CellChange[]) => {
    changes.forEach((change) => {
      setRows(rows => [
        ...rows,
        // ...
      ])
    });
  };

  return (
    <ReactGrid
      rows={rows}
      onCellsChanged={handleChanges}
      {...props}
    />
  );
};
Enter fullscreen mode Exit fullscreen mode
  1. Use Typescript wherever it is possible

Typescript prevents us from possible bugs at runtime. We encourage you to use it, especially with ReactGrid. For cell templating reasons we introduced a few types of how the cell templating engine interfaces with ReactGrid. Thanks to this, you can safely transfer data between incompatible cells while interacting with them using the cell editor or, for example, pasting data from external sources or even other spreadsheets.

A concrete example will be shown in the next chapter, but for now, take a look at the tiny example of Typescript discriminating unions. Implemented in ReactGrid, CellChangeinterface type field allows you to ensure that the checked field on newCell really exists.

import { CellChange } from "@silevis/reactgrid";

const handleChanges = (changes: CellChange[]) => { // evaluates as `CellChange<CheckboxCell>[] | CellChange<Datecell>[] | ...`
  changes.forEach(change => {
    if (change.type === 'checkbox') {
      console.log(change.newCell.checked);
      console.log(change.previousCell.checked);
    }
    // ...
  });
};
Enter fullscreen mode Exit fullscreen mode
  1. Compose your cell styling and behavior

In most cases, you will use built-in cell templates like NumberCell or DateCell. ReactGrid allows you to style a cell and its behavior without introducing a new cell template, for example, "non-editable number cell with blue background". Instead, you can compose the functions as follows:

bottomLine(
  nonEditable(
    showZero(numberCell(yearlyGroupsDiff, "text-lg disabled font-bold"))
  )
)
Enter fullscreen mode Exit fullscreen mode
  1. Avoid merging metadata with cells

Since all of the cells have no idea where they are placed, it’s tempting to extend them with some metadata. By metadata we mean the data that was added to ReactGrid related interfaces (e.g. Row) by extending them with new attributes.

 /*
  * There should be no `isCollapsed` and `backgroundColor` metadata attributes
  */
const row: Row & { isCollapsed: boolean; backgroungColor?: "red" | "blue" } = {
  isCollapsed: true,
  backgroungColor: 'blue',
  rowId: 0,
  cells: [
    { type: "text", text: "John" },
    { type: "text", text: "Doe" }
  ]
};
Enter fullscreen mode Exit fullscreen mode

You can also come across a similar situation that has arisen when some cells are related with each other - when building a tree list. Let’s have a look at the ChevronCell interface:

interface ChevronCell extends Cell {
  type: 'chevron';
  text: string;
  isExpanded?: boolean;
  hasChildren?: boolean;
  parentId?: Id;
  indent?: number;
}
Enter fullscreen mode Exit fullscreen mode

Except for parentId (which can actually be a row, column, or another cell) you can only control its look. There is no place declaring tree structure, dependencies between cells, or other data. We recommend extracting this metadata. The easiest way is to move this logic into a separate React hook that will contain those variables/data/logic.

We will show you how to implement row toggling and working with tree-like structures in the next article.

What does this planner do?

We could debate financial issues for a long time, but there is not enough room for it so let's look at them in a nutshell. You can skip this chapter if you like.

You can place a new value only in light green cells (credit line, opening balance) or with white background (cash inflows and outflows). Grayed-out cells are read-only.

Two of them (opening balance and credit line) are just numbers. We merged types of cash flow into two. Each entry is called "group" and has its own title like "Travelling expenses" for outflow and "Sales" for inflow. Except for the title, all groups have an array of the amount of money spent/earned each month.

Groups are aggregated vertically (inflows and outflows separately) into a total inflow or outflow per month. The last column presents all of the totals in a calendar year.

"Cash in" and "Cash out" make up the "Total" row. This row and the other cells should update their content when sourcing data has changed or e.g. user typed a new value into the cell.

Some items remain to be explained (and it's the hardest thing to understand):

  • "Cumulative row" takes cash in the bank, adds "Cash in" and then subtracts "Cash out".
  • User can manipulate the value of a green cell "Cashbox/bank" and is called an "Opening balance". The rest of the cells in this row are filled automatically by moving already calculated value from the cumulative to the next month in the "Cashbox/bank".
  • these operations are repeated until all months are filled.

calculation-pseudo-algorithm-part-1.png

The last part is the "Credit line". Users can update it by typing it in. This variable is constant for all months and is used for calculating "Credit line overdraft" - in a nutshell - if the absolute value from "Cumulative" exceeds the given credit line, then the cell should display this result.

calculation-pseudo-algorithm-part-2.png

What about the chart? This part should give us an instant knowledge about the company's state of finance. In this case, we limit ourselves to display "Cashbox/bank" and "Credit Line Overdraft" as a line chart and cash inflow and outflow as bars.

Some examples

In the penultimate chapter, we discussed 5. tips for good app implementation with ReactGrid. We will not discuss every line of code, but only code fragments in terms of the above-mentioned tips on how to work with ReactGrid.

  1. Separate the data from ReactGrid

App component named LiquidityPlanner has four React's useState hooks, each of them stores part of raw financial data. E. g. cashInflow is initiated with emptyInflows that comes from the rawData.ts file. This data has no connection with ReactGrid's interfaces and can be used directly by other components like charts.

const emptyMonthsValues: Values = [NaN, NaN, NaN, NaN, NaN, NaN, NaN, NaN, NaN, NaN, NaN, NaN];

export const inflows: CashInflow[] = [
  // ... 
  {
    title: "Other income",
    values: emptyMonthsValues
  }
  // ... 
];
Enter fullscreen mode Exit fullscreen mode
  1. Applying changes to the data

ReactGrid runs your changes handler function when you interact with the data displayed by the grid. Each change is applied by dispatching setCashInflow. To set updated inflows we used a technique called currying (more info), to apply particular change on desired groups (cashInflow).

import * as React from "react";
import { CellChange, NumberCell, ReactGrid } from "@silevis/reactgrid";

export const LiquidityPlanner: React.FC = () => {
  // ...
  const [cashInflow, setCashInflow] = React.useState(() => [...emptyInflows]);

  const handleChanges = (changes: CellChange[]) => {
    changes.forEach((change: CellChange<NumberCell>) => {
      // ...
      setCashInflow((cashInflow) => applyChange(change)(cashInflow));
      // ...
    });
  };

  return (
    <ReactGrid
      onCellsChanged={handleChanges}
      // ...
    />
  );
};
Enter fullscreen mode Exit fullscreen mode

reactivity-cycle.png

Implementing changes handling in this way closes the reactivity cycle, therefore our task of processing input data into outputs is fully repeatable and has no side effects.

  1. Typescript + ReactGrid = ❤️

ReactGrid is built with Typescript and fully supports it. We also encourage you to use it in your projects. A real example from our app shows how we narrowed down the expected change object type exclusively to NumberCell, therefore you are sure that you are able to access only actually existing fields.

const handleChanges = (changes: CellChange[]) => {
  changes.forEach((change: CellChange<NumberCell>) => {
    if (change.rowId === CASHBOXBANK_ROW_ID && change.columnId === 1) {
      setOpeningBalance(change.newCell.value);
    }
    if (change.rowId === CREDITLINE_ROW_ID && change.columnId === 1) {
      setCreditLine(change.newCell.value);
    }
    // ...
  });
};
Enter fullscreen mode Exit fullscreen mode

The other part is e. g. extending the set of built-in cell templates with your own. To be able to do it you have to pass the name of your custom Cell interface into a generic CellChange interface.

Of course, you are not obliged to move your project right now to Typescript, but we highly suggest using static typing.

  1. Compose your cell styling and behavior

When you work with ReactGrid it's highly possible that you will need to achieve the same or similar behavior or styling on many cells. The solution is quite simple - small, reusable functions. Familiarity with documentation will definitely be useful.

export const textCell = (
  text: string,
  className = "",
  style?: CellStyle
): TextCell => ({ type: "text", text, className, style });

export const numberCell = (
  value: number,
  className = "",
  style?: CellStyle
): NumberCell => ({
  type: "number",
  value,
  className,
  style,
  format: numberFormat
});

export const nonEditable = (cell: DefaultCellTypes): DefaultCellTypes => ({
  ...cell,
  nonEditable: true
});

export const showZero = (cell: NumberCell): NumberCell => ({
  ...cell,
  nanToZero: true,
  hideZero: false
});
Enter fullscreen mode Exit fullscreen mode

and the usage: a function that uses mentioned functions to fill up the cells array in a single row.

function getCashboxBankRow(title: string, cashboxBank: MonthlyValues): Row {
  return {
    rowId: CASHBOXBANK_ROW_ID,
    height: ROW_HEIGHT,
    cells: [
      nonEditable(textCell(title, "padding-left-lg")),
      ...months().map((_, idx) =>
        idx === 0
          ? numberCell(cashboxBank[idx], "light-green-bg")
          : nonEditable(showZero(numberCell(cashboxBank[idx], "disabled")))
      ),
      nonEditable(emptyTextCell)
    ]
  };
}
Enter fullscreen mode Exit fullscreen mode

Live demo

We created a fully working liquidity planner example on codesandbox.io.
This sample runs with the ReactGrid MIT, we encourage you to visit a fully functional sample deployed at our website. There you can try extra features available only in the PRO version: fill handle, range selection, area copy/cut/paste. You can compare both versions here.

Summary

Liquidity planner is only one of many possible ReactGrid use cases when the standard data table is not enough.
The main purpose of this article was to show you five useful tips that help you start the ReactGrid project using good practices.

Don't forget to leave a ⭐ on our Github.

We encourage you to visit our official ReactGrid website,
where you will find the documentation and information what the PRO version of our component offers.

Bye 👋

Oldest comments (1)

Collapse
 
wacher5442 profile image
Wacher5442

How I can customize interfaces based on the user who logs in and their inflow and outflow