Axios는 GET, POST, PUT, DELETE 등과 같은 HTTP 요청을 수행하는 데 널리 사용되는 라이브러리입니다. Axios는 쉬운 구문을 제공하고 Promise를 지원하므로 React 애플리케이션에 사용하기에 매우 적합합니다. 이 글에서는 ReactJS 애플리케이션에서 Axios를 사용하는 방법에 대해 설명합니다.
Axios 설치
React 프로젝트에 Axios가 설치되어 있는지 확인하세요.
npm install axios
React 컴포넌트에서 Axios 사용
예를 들어, GET 메서드를 사용하여 API에서 데이터를 검색하고 이를 React 구성 요소에 표시하려고 합니다.
import React, { useEffect, useState } from 'react'; import axios from 'axios'; const App = () => { const [data, setData] = useState([]); const [loading, setLoading] = useState(true); const [error, setError] = useState(null); useEffect(() => { const fetchData = async () => { try { const response = await axios.get('https://jsonplaceholder.typicode.com/posts'); setData(response.data); setLoading(false); } catch (error) { setError(error); setLoading(false); } }; fetchData(); }, []); if (loading) return <p>Loading...</p>; if (error) return <p>Error: {error.message}</p>; return ( <div> <h1>Posts</h1> <ul> {data.map((post) => ( <li key={post.id}>{post.title}</li> ))} </ul> </div> ); }; export default App;
설명:
import React, { useState } from 'react'; import axios from 'axios'; const App = () => { const [title, setTitle] = useState(''); const [body, setBody] = useState(''); const handleSubmit = async (e) => { e.preventDefault(); try { const response = await axios.post('https://jsonplaceholder.typicode.com/posts', { title, body, }); console.log('Response:', response.data); alert('Post successfully created!'); } catch (error) { console.error('Error posting data:', error); } }; return ( <div> <h1>Create a Post</h1> <form onSubmit={handleSubmit}> <input type="text" placeholder="Title" value={title} onChange={(e) => setTitle(e.target.value)} /> <textarea placeholder="Body" value={body} onChange={(e) => setBody(e.target.value)} ></textarea> <button type="submit">Submit</button> </form> </div> ); }; export default App;
설명:
위 내용은 ReactJS에서 Axios를 사용하는 방법 - GET 및 POST 요청의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!