How To filter JSON Data in React JS

Udemezue John - Oct 6 - - Dev Community

Introduction.

Filtering JSON data in React JS is a common yet essential task when building dynamic web applications.

React, with its declarative component-based architecture, makes handling such data operations straightforward once I grasp the basics. However, with JSON often being the go-to format for data exchange—especially in APIs—it's crucial to understand how to manipulate it effectively.

Filtering JSON involves more than just sifting through arrays. I need to ensure that the data is properly formatted, my filter criteria are accurate, and the entire process is optimized for speed, especially when working with large datasets.

In this guide, I’ll explore how to implement robust filtering mechanisms in React, how to handle edge cases, and what performance considerations I should keep in mind to ensure my application scales smoothly.

How Do I filter JSON data in React JS?

When working with React, filtering data is a common task, especially if you're dealing with large datasets in JSON format.

Here’s how I approach filtering JSON data in React JS. This guide will walk you through key concepts, using straightforward examples so you can get a solid grasp on filtering data efficiently.

Setting Up the Basics.

First, let's ensure you have a basic React setup. For the sake of this guide, I'll assume you’ve already got a functional React project initialized via create-react-app or any other method.

Here’s a simple structure to get started:



import React, { useState } from 'react';

const App = () => {
  // Sample JSON data
  const data = [
    { id: 1, name: 'John', age: 28, role: 'Developer' },
    { id: 2, name: 'Jane', age: 32, role: 'Designer' },
    { id: 3, name: 'Mike', age: 25, role: 'Developer' },
    { id: 4, name: 'Sara', age: 22, role: 'Manager' }
  ];

  return (
    <div>
      <h1>Filter JSON Data in React</h1>
    </div>
  );
}

export default App;



Enter fullscreen mode Exit fullscreen mode

Here, I've set up a simple array of objects that mimics a JSON dataset. You can imagine this data coming from an API or a local file.

Using useState to Manage Filtered Data

React's useState is perfect for managing dynamic data in components. For filtering, I’ll use useState to hold the state of both the unfiltered and filtered data.

Let’s add a filter based on a specific property (e.g., filtering by role).



import React, { useState } from 'react';

const App = () => {
  const data = [
    { id: 1, name: 'John', age: 28, role: 'Developer' },
    { id: 2, name: 'Jane', age: 32, role: 'Designer' },
    { id: 3, name: 'Mike', age: 25, role: 'Developer' },
    { id: 4, name: 'Sara', age: 22, role: 'Manager' }
  ];

  const [filteredData, setFilteredData] = useState(data);

  const filterByRole = (role) => {
    const result = data.filter(person => person.role === role);
    setFilteredData(result);
  };

  return (
    <div>
      <h1>Filter JSON Data in React</h1>
      <button onClick={() => filterByRole('Developer')}>Filter Developers</button>
      <button onClick={() => setFilteredData(data)}>Reset</button>

      <ul>
        {filteredData.map(person => (
          <li key={person.id}>{person.name} - {person.role}</li>
        ))}
      </ul>
    </div>
  );
}

export default App;


Enter fullscreen mode Exit fullscreen mode

Explanation:

  • filterByRole: This function filters the data array based on the role property. It uses JavaScript’s .filter() method to return only items that match the specified role.
  • setFilteredData: This updates the component’s state with the filtered data.
  • Buttons: These trigger filtering for "Developer" or reset the data to the original dataset.

How .filter() Works

The .filter() method is a higher-order array method in JavaScript that creates a new array with all elements that pass a test implemented by a provided function. In the example, the test checks if the role matches the given argument.

For instance, calling .filter(person => person.role === 'Developer') returns an array with only those objects where the role is 'Developer'.

Creating a Dynamic Search Filter

What if I wanted to implement a more dynamic filtering approach, such as filtering by a search term? I can achieve this by combining an input field with a filter method.

Let’s enhance the previous example with a search input:



import React, { useState } from 'react';

const App = () => {
  const data = [
    { id: 1, name: 'John', age: 28, role: 'Developer' },
    { id: 2, name: 'Jane', age: 32, role: 'Designer' },
    { id: 3, name: 'Mike', age: 25, role: 'Developer' },
    { id: 4, name: 'Sara', age: 22, role: 'Manager' }
  ];

  const [searchTerm, setSearchTerm] = useState('');
  const [filteredData, setFilteredData] = useState(data);

  const handleSearch = (event) => {
    const term = event.target.value;
    setSearchTerm(term);

    const result = data.filter(person => 
      person.name.toLowerCase().includes(term.toLowerCase())
    );
    setFilteredData(result);
  };

  return (
    <div>
      <h1>Filter JSON Data in React</h1>
      <input 
        type="text" 
        placeholder="Search by name" 
        value={searchTerm}
        onChange={handleSearch}
      />

      <ul>
        {filteredData.map(person => (
          <li key={person.id}>{person.name} - {person.role}</li>
        ))}
      </ul>
    </div>
  );
}

export default App;



Enter fullscreen mode Exit fullscreen mode

Explanation:

  • Search Input: The input field allows users to type in a search term. This term is updated in the state via setSearchTerm.
  • handleSearch: This function takes the input value, converts it to lowercase for case-insensitive matching, and filters the data array based on the name property.

Now, as you type in the search field, the list dynamically updates to display only the names that match the search term.

Performance Considerations

Filtering large datasets can become a performance bottleneck. If you're working with tens of thousands of records, consider optimizing your filtering strategy:

  • Memoization: Use useMemo to memoize filtered results and avoid recalculating them unnecessarily.
  • Debouncing: Implement debouncing on the search input to reduce the number of times filtering logic is triggered (especially when typing rapidly).
  • Server-side Filtering: For extremely large datasets, consider fetching filtered data directly from the server instead of filtering everything on the client.

Here's an example of using useMemo to optimize the filtering process:



import React, { useState, useMemo } from 'react';

const App = () => {
  const data = [
    { id: 1, name: 'John', age: 28, role: 'Developer' },
    { id: 2, name: 'Jane', age: 32, role: 'Designer' },
    { id: 3, name: 'Mike', age: 25, role: 'Developer' },
    { id: 4, name: 'Sara', age: 22, role: 'Manager' }
  ];

  const [searchTerm, setSearchTerm] = useState('');

  const filteredData = useMemo(() => {
    return data.filter(person => 
      person.name.toLowerCase().includes(searchTerm.toLowerCase())
    );
  }, [searchTerm, data]);

  return (
    <div>
      <h1>Filter JSON Data in React</h1>
      <input 
        type="text" 
        placeholder="Search by name" 
        value={searchTerm}
        onChange={(e) => setSearchTerm(e.target.value)}
      />

      <ul>
        {filteredData.map(person => (
          <li key={person.id}>{person.name} - {person.role}</li>
        ))}
      </ul>
    </div>
  );
}

export default App;


Enter fullscreen mode Exit fullscreen mode

Using useMemo ensures that filteredData is recalculated only when searchTerm or data changes, which can help improve performance in larger applications.

Conclusion.

In conclusion, filtering JSON data in React JS is a fundamental skill for building dynamic and efficient applications.

Remember: When choosing a filtering method, consider the complexity of your filtering logic, performance requirements, and your team's familiarity with different approaches.

Now, I'd like to pose a question to you: What are your favorite techniques for filtering JSON data in React JS, and why do you prefer them? Share your thoughts and experiences in the comments below!

. . . . . . . . . . . . . . . . . . . . . .
Terabox Video Player