REST (Representational State Transfer) APIs are essential for enabling communication between different software applications. Integrating a REST API with a frontend framework allows developers to create dynamic, data-driven applications. This article focuses on practical examples using React and Vue.js to help you understand the integration process.
In this example, we’ll create a simple React application that fetches data from a public API and displays it in a list format.
Use Create React App to set up your project:
npx create-react-app my-api-app
cd my-api-app
We’ll use Axios to make our API requests. Install it via npm:
npm install axios
In your src/App.js
, modify the code as follows:
import React, { useState, useEffect } from 'react';
import axios from 'axios';
function App() {
const [data, setData] = useState([]);
const [loading, setLoading] = useState(true);
useEffect(() => {
axios.get('https://jsonplaceholder.typicode.com/posts')
.then(response => {
setData(response.data);
setLoading(false);
})
.catch(error => console.error('Error fetching data:', error));
}, []);
if (loading) return <p>Loading...</p>;
return (
<ul>
{data.map(post => (
<li key={post.id}>{post.title}</li>
))}
</ul>
);
}
export default App;
data
holds the fetched posts, while loading
manages the loading state.Next, let’s create a similar application using Vue.js that fetches user data from an API.
Use Vue CLI to create your Vue project:
vue create my-vue-api-app
cd my-vue-api-app
Just like in the React example, we’ll use Axios:
npm install axios
In your src/components/HelloWorld.vue
, replace the template with:
```html
User List