이 Spring Boot 튜토리얼에서는 타사 API를 사용하고 결과를 Thymeleaf 보기에 표시하는 방법을 보여줍니다. 명확성과 정확성을 위해 텍스트와 코드를 다듬어 보겠습니다.
수정된 텍스트:
개요
이 튜토리얼에서는 타사 API를 Spring Boot 애플리케이션에 통합하는 과정을 안내합니다. https://api.sampleapis.com/coffee/hot
에 GET 요청을 한 다음 브라우저에 표시된 Thymeleaf 템플릿 내에 응답 데이터를 우아하게 표시합니다.
전제조건
다음 사항에 대한 기본 지식이 있다고 가정합니다.
개발 과정
1. 프로젝트 설정
Spring Initializr(https://www.php.cn/link/bafd1b75c5f0ceb81050a853c9faa911)를 사용하여 새 Spring Boot 프로젝트를 생성합니다. 다음 종속성을 포함합니다.
다운로드한 아카이브를 추출하고 프로젝트를 IDE(예: IntelliJ IDEA)로 가져옵니다.
2. Coffee
모델
API에서 받은 커피 데이터를 나타내는 POJO(Plain Old Java Object)를 만듭니다. 이렇게 하면 데이터 처리가 단순화됩니다.
<code class="language-java">package com.myproject.apidemo; public class Coffee { public String title; public String description; // Constructors, getters, and setters (omitted for brevity) @Override public String toString() { return "Coffee{" + "title='" + title + '\'' + ", description='" + description + '\'' + '}'; } }</code>
3. CoffeeController
이 컨트롤러는 API 호출과 데이터 처리를 처리합니다.
<code class="language-java">package com.myproject.apidemo; import org.springframework.stereotype.Controller; import org.springframework.ui.Model; import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.reactive.function.client.WebClient; import org.springframework.core.ParameterizedTypeReference; import java.util.List; @Controller public class CoffeeController { @GetMapping("/coffee") public String getCoffee(Model model) { String url = "https://api.sampleapis.com/coffee/hot"; WebClient webClient = WebClient.create(); List<Coffee> coffeeList = webClient.get() .uri(url) .retrieve() .bodyToMono(new ParameterizedTypeReference<List<Coffee>>() {}) .block(); model.addAttribute("coffeeList", coffeeList); return "coffee"; } }</code>
참고: 프로덕션 준비 코드에는 오류 처리(예: onErrorResume
를 WebClient
와 함께 사용)를 추가해야 합니다. 여기서는 block()
메서드를 단순하게 사용했지만 실제 애플리케이션에서 더 나은 성능을 얻으려면 반응형 프로그래밍 기술로 대체해야 합니다.
4. Thymeleaf 뷰 생성(coffee.html
)
커피 데이터를 표시하는 Thymeleaf 템플릿을 만듭니다. 이 파일을 src/main/resources/templates/coffee.html
.
<code class="language-html"><!DOCTYPE html> <html xmlns:th="http://www.thymeleaf.org"> <head> <meta charset="UTF-8"> <title>Coffee List</title> </head> <body> <h3>Coffee List</h3> <table> <thead> <tr> <th>Title</th> <th>Description</th> </tr> </thead> <tbody> <tr th:each="coffee : ${coffeeList}"> <td th:text="${coffee.title}"></td> <td th:text="${coffee.description}"></td> </tr> </tbody> </table> </body> </html></code>
5. 애플리케이션 실행
Spring Boot 애플리케이션을 시작하세요. 이제 http://localhost:8080/coffee
(또는 애플리케이션의 기본 URL)
이 개정된 버전은 Coffee
모델 클래스 및 향상된 코드 형식과 같은 중요한 세부 정보를 포함하여 프로세스를 더욱 완전하고 정확하게 표현합니다. 프로덕션 환경에서 발생할 수 있는 오류를 처리하는 것을 잊지 마세요.
위 내용은 Spring Boot에서 타사 API를 호출하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!