
Una cuadrícula de datos le permite visualizar y editar datos. Esta es una característica vital en la mayoría de las aplicaciones basadas en datos.
Es posible que haya implementado esto en una de sus aplicaciones React en el pasado. Tal vez utilizó bibliotecas como react-bootstrap-table, react-grid o react-table. Con ellos, puede agregar un Datagrid a su aplicación React. Pero, ¿qué sucede si desea que los cambios se realicen en tiempo real y que las actualizaciones estén sincronizadas en todos los dispositivos conectados y sus navegadores?
En este artículo, le mostraré cómo construir una cuadrícula de datos en tiempo real en React usando react-table y Hamoni Sync.
react-table es una biblioteca ligera y rápida para representar tablas en React, y admite la paginación y muchas más funciones.
Hamoni Sync es un servicio de sincronización de estado en tiempo real que le permite sincronizar el estado de su aplicación en tiempo real. Le mostraré cómo construir una cuadrícula de datos con los nombres y apellidos de las personas.
Si desea seguir adelante, debe tener algún conocimiento de React y tener instaladas las siguientes herramientas:
- NodeJS
- npm & npx. Si ha instalado npm versión 5.2.0 o superior, se instala npx junto con npm.
- crear-reaccionar-aplicación
Crea la aplicación React
Primero crearemos un nuevo proyecto React usando create-react-app.
Abra la línea de comando y ejecute npx create-react-app realtime-react-datatable
. Esto arrancará una aplicación React para nosotros creando un nuevo directorio realtime-react-datatable
con los archivos necesarios para construir una aplicación React.
Con la aplicación React creada, necesitamos instalar react-table y Hamoni Sync. Aún en la línea de comando, ejecute cd realtime-react-datatable
para cambiar al directorio de la aplicación. Ejecute npm i react-table hamoni-sync
en la línea de comando para instalar ambos paquetes.
Renderizar la cuadrícula de datos
Para renderizar la cuadrícula de datos, usaremos el componente react-table. Abra el archivo src/App.js
y actualícelo con el siguiente código:
import React, { Component } from "react";import logo from "./logo.svg";import "./App.css";// Import React Tableimport ReactTable from "react-table";import "react-table/react-table.css";// Import Hamoni Syncimport Hamoni from "hamoni-sync";
class App extends Component { constructor() { super(); this.state = { data: [], firstName: "", lastName: "" }; }
handleChange = event => { if (event.target.name === "firstName") this.setState({ firstName: event.target.value }); if (event.target.name === "lastName") this.setState({ lastName: event.target.value }); };
handleSubmit = event => { event.preventDefault(); };
renderEditable = cellInfo => { return ( { const data = [...this.state.data]; data[cellInfo.index][cellInfo.column.id] = e.target.innerHTML; this.setState({ data }); }} dangerouslySetInnerHTML={{ __html: this.state.data[cellInfo.index][cellInfo.column.id] }} /> ); };
render() { const { data } = this.state;
return ( Welcome to React
Add new record
FirstName: {" "} LastName:
( ) } ]} defaultPageSize={10} className="-striped -highlight" /> ); }}
export default App;
El código anterior representa un formulario y un componente de tabla de reacción editable.
wit
h
data, c
olumns
, and defaultPa
geSize props
. Th
e data props holds the data to display
, and c
olumns props for the column definition
. The ac
cessor proper
ty in c
olumns props indicates the property that holds the value to be displayed for that co
lumn. Cell: this.renderEd
itable proper
ty in c
olumns props tells react-table that the column is editable. The other funct
ions (handle
Sub
mit & handle
Change) allows getting new data entry from the form on the page.
Add Hamoni Sync
The data for the datagrid will be retrieved and updated in real-time using Hamoni Sync. We already imported the Hamoni library on line 18 in
App.js
;
import Hamoni from "hamoni-sync";
We need to initialize it and connect to Hamoni server. To do this we need an account and application ID. Follow these steps to create an application in Hamoni.
Register and login to Hamoni dashboard
Enter your preferred application name in the text field and click the create button. This should create the app and display it in the application list section.
Click the button “Show AccountID” to see your account ID.

Add the following code to App.js
to initialise and connect to Hamoni Sync server.
componentDidMount() { let hamoni = new Hamoni("ACCOUNT_ID", "APP_ID");
hamoni .connect() .then(() =>; {
}) .catch(console.log); }
The code above will connect the client device or browser to Hamoni Sync server. Copy your account and application ID from the dashboard and replace them with the string placeholder respectively.
Add the following to the function in the then()
block, to be executed when it successfully connects to the server:
hamoni .get("datagrid") .then(listPrimitive => { this.listPrimitive = listPrimitive;
this.setState({ data: [...listPrimitive.getAll()] });
listPrimitive.onItemAdded(item => { this.setState({ data: [...this.state.data, item.value] }); });
listPrimitive.onItemUpdated(item => { let data = [ ...this.state.data.slice(0, item.index), item.value, ...this.state.data.slice(item.index + 1) ];
this.setState({ data: data }); });
listPrimitive.onSync(data => { this.setState({ data: data }); }); }) .catch(console.log);
The code above calls hamoni.get("datagrid")
to get the data, with datagrid
as the name of the application state on Hamoni Sync. Hamoni Sync allows you to store 3 kinds of state referred to as Sync primitives. They are:
- Value Primitive: This kind of state holds simple information represented with datatypes like string, boolean or numbers. It is best suited for cases such as unread message count, toggles, etc.
- Object Primitive: Object state represents states that can be modeled as a JavaScript object. An example usage could be storing the score of a game.
- List Primitive: This holds a list of state objects. A state object is a JavaScript object. You can update an item based on its index in the list.
If the state is available it resolves and returns a promise with the state primitive object. This object gives us access to methods to update state and get state updates in real-time.
On line 36 we used the getAll()
method to get data and set the state for the React component. Also, the methods onItemAdded()
and onItemUpdated()
are used to get updates when an item is added or updated. The onSync()
method is useful in a scenario where a device or browser loses connection, and when it reconnects, it tries to get the latest state from the server and update the local state if there's any.
Add & Update items
From the previous section, we are able to get the data for the datagrid and update the state when an item is added or update. Let’s add code to add new items and update an item when a column has been edited. Add the following code to the handleSubmit
method:
handleSubmit = event => { this.listPrimitive.push({ firstName: this.state.firstName, lastName: this.state.lastName }); this.setState({ firstName: "", lastName: "" }); event.preventDefault();};
This code gets the first and last name from the form and adds it to the list state primitive on Hamoni Sync by calling the push()
method. This will trigger the onItemAdded()
method.
In order to update items as they get edited in the datagrid, we will update the function passed to the onBlur
props on line 84 as follows:
onBlur={e => { let row = this.state.data[cellInfo.index]; row[cellInfo.column.id] = e.target.innerHTML; this.listPrimitive.update(cellInfo.index, row);}}
This code updates the item at the index retrieved from the cellInfo
object. To update a list state primitive in Hamoni Sync, you call the update()
method with the index of the item and the value to update. The renderEditable
method should now look like this after the last change:
renderEditable = cellInfo => { return ( { let row = this.state.data[cellInfo.index]; row[cellInfo.column.id] = e.target.innerHTML; this.listPrimitive.update(cellInfo.index, row); }} dangerouslySetInnerHTML={{ __html: this.state.data[cellInfo.index][cellInfo.column.id] }} /> ); };
At this point we have almost all that’s needed to run the app except the initial data that will be rendered on the datagrid.
We need to create the state and give it some data on Hamoni Sync. Add a new file seed.js at the root of your working directory and add to it the following code:
const Hamoni = require("hamoni-sync");
let hamoni = new Hamoni("AccountID", "APP_ID");
hamoni .connect() .then(response => { hamoni .createList("datagrid", [ { firstName: "James", lastName: "Darwin" }, { firstName: "Jimmy", lastName: "August" } ]) .then(() => console.log("create success")) .catch(console.log); }) .catch(console.log);
This will create a list primitive state on Hamoni Sync, with a name of datagrid
. Replace the AccountID
and APP_ID
string with your account and application ID. Open the command line and run node seed.js
. This should succeed and print out create success
message.
Now we can start the React app and see our app in action! Run the command npm start
in the command line and it'll open the application in your default browser.

Hooray! We have a real-time editable datagrid with pagination!
Conclusion
We have built a real-time datagrid in React using react-table and Hamoni Sync. With react-table powering the datagrid and Hamoni Sync handling the state for the datagrid. This was all achieved in few lines of code and less effort designing real-time state logic. You can get the finished app of what we built on GitHub. It’s possible to track which cell is being edited or lock the cells currently being edited by another user. I’ll leave that as a weekend hack for you.
Feel free to leave a comment if anything is not clear or encounter problems while trying to add lock or highlight cells being edited.
Happy coding ?