Skip to main content
Post image
ยท 5 min read

How to Import CSV File with React

In this guide, we will learn how to import any CSV file received from the user with React. Our application will consist of two parts. We will create a form for the user to select a file. Next, we will do some operations with JavaScript to be able to view this CSV file. Let's start with our example.

Exampleโ€‹

First, let's create a Form in React so that the user can upload a CSV file.

App.js
function App() {
return (
<div style={{ textAlign: "center" }}>
<h1>REACTJS CSV IMPORT EXAMPLE </h1>
<form>
<input type={"file"} accept={".csv"} />
<button>IMPORT CSV</button>
</form>
</div>
);
}

We created a simple form and our input items. With the accept feature of the input element, we specify that the format of the file can only be CSV. Now, let's load and read the CSV file selected by the user with FileReader.

import React, { useState } from "react";

function App() {
const [file, setFile] = useState();

const fileReader = new FileReader();

const handleOnChange = (e) => {
setFile(e.target.files[0]);
};

const handleOnSubmit = (e) => {
e.preventDefault();

if (file) {
fileReader.onload = function (event) {
const csvOutput = event.target.result;
};

fileReader.readAsText(file);
}
};

return (
<div style={{ textAlign: "center" }}>
<h1>REACTJS CSV IMPORT EXAMPLE </h1>
<form>
<input
type={"file"}
id={"csvFileInput"}
accept={".csv"}
onChange={handleOnChange}
/>

<button
onClick={(e) => {
handleOnSubmit(e);
}}
>
IMPORT CSV
</button>
</form>
</div>
);
}

Here, once the user-selected file has been successfully uploaded, we can process and display the file. Now let's load a sample CSV file and see it output on our console.

console_csv_output

As you can see, we can now read a selected CSV file. We can convert this file, which we read as a plain text type, into an Array of Object with JavaScript and place it inside a Table element.

function App() {
import React, { useState } from "react";

function App() {
const [file, setFile] = useState();
const [array, setArray] = useState([]);

const fileReader = new FileReader();

const handleOnChange = (e) => {
setFile(e.target.files[0]);
};

const csvFileToArray = string => {
const csvHeader = string.slice(0, string.indexOf("\n")).split(",");
const csvRows = string.slice(string.indexOf("\n") + 1).split("\n");

const array = csvRows.map(i => {
const values = i.split(",");
const obj = csvHeader.reduce((object, header, index) => {
object[header] = values[index];
return object;
}, {});
return obj;
});

setArray(array);
};

const handleOnSubmit = (e) => {
e.preventDefault();

if (file) {
fileReader.onload = function (event) {
const text = event.target.result;
csvFileToArray(text);
};

fileReader.readAsText(file);
}
};

const headerKeys = Object.keys(Object.assign({}, ...array));

return (
<div style={{ textAlign: "center" }}>
<h1>REACTJS CSV IMPORT EXAMPLE </h1>
<form>
<input
type={"file"}
id={"csvFileInput"}
accept={".csv"}
onChange={handleOnChange}
/>

<button
onClick={(e) => {
handleOnSubmit(e);
}}
>
IMPORT CSV
</button>
</form>

<br />

<table>
<thead>
<tr key={"header"}>
{headerKeys.map((key) => (
<th>{key}</th>
))}
</tr>
</thead>

<tbody>
{array.map((item) => (
<tr key={item.id}>
{Object.values(item).map((val) => (
<td>{val}</td>
))}
</tr>
))}
</tbody>
</table>
</div>
);
}
....
overview_csv

We formatted the CSV file that came in plain text format, using Javascript slice and split methods, and created two separate array. Then we converted Header and Rows arrays to Array of Object format as Key, Value.

Live Codesandbox Exampleโ€‹

Are You Looking React Web Framework?โ€‹

A React-based framework for building internal tools, rapidly. refine offers lots of out-of-the box functionality for rapid development, without compromising extreme customizability. Use-cases include, but are not limited to admin panels, B2B applications and dashboards.

๐Ÿ”ฅ Headless : Works with any UI framework

โš™๏ธ Zero-configuration: One-line setup with superplate. It takes less than a minute to start a project.

๐Ÿ“ฆ Out-of-the-box : Routing, networking, authentication, state management, i18n and UI.

๐Ÿ”Œ Backend Agnostic : Connects to any custom backend. Built-in support for REST API, Strapi, NestJs CRUD, Hasura, Nhost, Airtable, Medusa, Supabase, Appwrite and Altogic.

๐Ÿ“ Native Typescript Core : You can always opt-out for plain JavaScript.

๐Ÿœ Enterprise UI : Works seamlessly with Ant Design System. (Support for multiple UI frameworks is on the Roadmap)

๐Ÿ“ Boilerplate-free Code : Keeps your codebase clean and readable.

Refer to the refine documentation for more information. โ†’

How to CSV Import with Refine?โ€‹

The CSV import with refine is very simple and out-of-the-box feature. How to use it is explained step by step in the guide and example.

Refer to the refine CSV import guide for more information. โ†’

View Source

Refine CSV Import Usageโ€‹

importing_csv

Importing CSV files is simple and fast using the useImport hook and ImportButton provided by refine.

import {
List,
Table,
useTable,
useImport,
ImportButton,
} from "@pankod/refine";

export const PostList: React.FC = () => {
const { tableProps } = useTable<IPost>();

const importProps = useImport<IPostFile>();

return (
<List
pageHeaderProps={{
extra: <ImportButton {...importProps} />,
}}
>
<Table {...tableProps} rowKey="id">
<Table.Column dataIndex="id" title="ID" />
<Table.Column dataIndex="title" title="Title" />
<Table.Column dataIndex="status" title="Status" />
</Table>
</List>
);
};

interface IPostFile {
title: string;
categoryId: string;
}
interface IPost {
id: string;
title: string;
status: string;
}

You can also divide the data into chunk with the batchSize option while performing the insertion process.

Refer to the refine CSV Import API References for more information. โ†’

Refine CSV Import Live Codesandbox Exampleโ€‹



Related Articles

Frontend Developer
How to Multipart File Upload Using FormData with HTML
ยท 4 min read
Frontend Developer
How to upload files from your HTML form using Base64 encoding
ยท 5 min read

From Same Author

Frontend Developer
Next.js E-commerce App with Strapi and Chakra UI
ยท 12 min read
Frontend Developer
ReactJS Frameworks You Should Know Before Start Developing B2B/Internal Application
ยท 5 min read
Frontend Developer
Refine vs React-Admin Which is Better for Your Project?
ยท 15 min read