Introduction
React is a popular JavaScript library that allows developers to build complex user interfaces with ease. One of the key benefits of using React is its ability to interact with external APIs, allowing developers to access data from third-party sources and display it in their application. In this article, we will explore how to use React with external APIs.
To get started, we will use the Fetch API to make a request to the GitHub API and display a list of repositories. This example assumes that you already have a basic understanding of React and have created a new React project using Create React App.
Step 1: Create a new React component
First, we need to create a new React component that will be responsible for fetching data from the GitHub API and displaying it in our application. Let's create a new file called RepoList.js
in the src
directory of our React project.
import React, { useState, useEffect } from 'react';
function RepoList() {
const [repos, setRepos] = useState([]);
useEffect(() => {
async function fetchRepos() {
const response = await fetch('https://api.github.com/repositories');
const data = await response.json();
setRepos(data);
}
fetchRepos();
}, []);
return (
<div>
<h1>GitHub Repositories</h1>
<ul>
{repos.map(repo => (
<li key={repo.id}>{repo.name}</li>
))}
</ul>
</div>
);
}
export default RepoList;
In this component, we are using the useState
and useEffect
hooks from React to manage our state and fetch data from the GitHub API. The useState
hook initializes our state with an empty array for the repositories, and the useEffect
hook is used to fetch the data from the API and update our state.
Step 2: Add the component to the app
Now that we have created our RepoList
component, we need to add it to our app. Open the App.js
file in the src
directory and replace the default code with the following:
import React from 'react';
import RepoList from './RepoList';
function App() {
return (
<div>
<RepoList />
</div>
);
}
export default App;
In this code, we are importing our RepoList
component and rendering it inside the App
component.
Step 3: Test the app
To test our app, we can run the following command in the terminal:
npm start
This will start the development server and open our app in the browser at http://localhost:3000
. You should see a list of repositories fetched from the GitHub API.
That's it! We have successfully used React with an external API to fetch and display data in our application.
PS: To replicate this example on your local machine, you will need to have Node.js and npm installed. You can then create a new React project using Create React App and follow the steps outlined in this article to create the RepoList
component and add it to your app. Remember to replace the GitHub API URL with your own API URL if you are using a different API.