스프링 부트에서 rest 컨트롤러가 작동하지 않음
저는 가장 비슷한 질문들을 확인했는데 답을 찾을 수 없습니다.그래서 저는 새로운 질문만 올릴 수 있습니다.
오류 없이 응용 프로그램을 성공적으로 실행할 수 있지만, 제가 쓰는 나머지 API는 제대로 액세스할 수 없습니다.시작 로그를 공식 튜토리얼과 비교한 결과 아래와 같은 로그가 없습니다.
2017-11-13 17:37:50.921 INFO 6503 --- [ main] s.w.s.m.m.a.RequestMappingHandlerAdapter : Looking for @ControllerAdvice: org.springframework.boot.context.embedded.AnnotationConfigEmbeddedWebApplicationContext@2328c243: startup date [Mon Nov 13 17:37:49 CST 2017]; root of context hierarchy
2017-11-13 17:37:51.061 INFO 6503 --- [ main] s.w.s.m.m.a.RequestMappingHandlerMapping : Mapped "{[/greeting]}" onto public hello.Greeting hello.GreetingController.greeting(java.lang.String)
2017-11-13 17:37:51.066 INFO 6503 --- [ main] s.w.s.m.m.a.RequestMappingHandlerMapping : Mapped "{[/error]}" onto public org.springframework.http.ResponseEntity<java.util.Map<java.lang.String, java.lang.Object>> org.springframework.boot.autoconfigure.web.BasicErrorController.error(javax.servlet.http.HttpServletRequest)
2017-11-13 17:37:51.067 INFO 6503 --- [ main] s.w.s.m.m.a.RequestMappingHandlerMapping : Mapped "{[/error],produces=[text/html]}" onto public org.springframework.web.servlet.ModelAndView org.springframework.boot.autoconfigure.web.BasicErrorController.errorHtml(javax.servlet.http.HttpServletRequest,javax.servlet.http.HttpServletResponse)
2017-11-13 17:37:51.126 INFO 6503 --- [ main] o.s.w.s.handler.SimpleUrlHandlerMapping : Mapped URL path [/webjars/**] onto handler of type [class org.springframework.web.servlet.resource.ResourceHttpRequestHandler]
2017-11-13 17:37:51.127 INFO 6503 --- [ main] o.s.w.s.handler.SimpleUrlHandlerMapping : Mapped URL path [/**] onto handler of type [class org.springframework.web.servlet.resource.ResourceHttpRequestHandler]
2017-11-13 17:37:51.188 INFO 6503 --- [ main] o.s.w.s.handler.SimpleUrlHandlerMapping : Mapped URL path [/**/favicon.ico] onto handler of type [class org.springframework.web.servlet.resource.ResourceHttpRequestHandler]
여기 제 자바 파일이 있습니다. 누구나 제 문제를 해결할 키포인트를 찾을 수 있기를 바랍니다.
기본 응용 프로그램 파일:
package com.teachermate;
import com.alibaba.druid.pool.DruidDataSource;
import com.teachermate.entites.TeacherMateSettings;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.boot.context.properties.EnableConfigurationProperties;
import org.springframework.context.annotation.Bean;
import org.springframework.core.env.Environment;
import javax.sql.DataSource;
@SpringBootApplication
@EnableConfigurationProperties({TeacherMateSettings.class})
public class JobScheduleApplication {
@Autowired
private Environment env;
public static void main(String[] args) {
SpringApplication.run(JobScheduleApplication.class, args);
}
@Bean
public DataSource dataSource() {
DruidDataSource dataSource = new DruidDataSource();
dataSource.setUrl(env.getProperty("spring.datasource.url"));
dataSource.setUsername(env.getProperty("spring.datasource.username"));
dataSource.setPassword(env.getProperty("spring.datasource.password"));
dataSource.setInitialSize(2);
dataSource.setMaxActive(20);
dataSource.setMinIdle(0);
dataSource.setMaxWait(60000);
dataSource.setValidationQuery("SELECT 1");
dataSource.setTestOnBorrow(false);
dataSource.setTestWhileIdle(true);
dataSource.setPoolPreparedStatements(false);
return dataSource;
}
}
컨트롤러 파일:
@RestController
@RequestMapping(path = "/test")
public class TestController {
@RequestMapping(method = RequestMethod.GET)
public JSONObject HelloWorld() {
JSONObject res = new JSONObject();
LOGGER.info("HelloWorld Test!");
res.put("data", "hello world!");
res.put("errCode", 0);
return res;
}
}
pom.xml:
<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion>
<groupId>com.teachermate</groupId>
<artifactId>job-scheduler</artifactId>
<version>0.0.1-SNAPSHOT</version>
<packaging>jar</packaging>
<name>jobSchedule</name>
<description>job schedule for teachermate</description>
<parent>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-parent</artifactId>
<version>1.5.7.RELEASE</version>
<relativePath/> <!-- lookup parent from repository -->
</parent>
<properties>
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
<project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding>
<java.version>1.8</java.version>
</properties>
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-data-redis</artifactId>
</dependency>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-jdbc</artifactId>
<exclusions>
<exclusion>
<groupId>org.apache.tomcat</groupId>
<artifactId>tomcat-jdbc</artifactId>
</exclusion>
</exclusions>
</dependency>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-test</artifactId>
<scope>test</scope>
</dependency>
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-context-support</artifactId>
</dependency>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-configuration-processor</artifactId>
<optional>true</optional>
</dependency>
<dependency>
<groupId>com.alibaba</groupId>
<artifactId>fastjson</artifactId>
<version>1.2.39</version>
</dependency>
<dependency>
<groupId>mysql</groupId>
<artifactId>mysql-connector-java</artifactId>
<version>5.1.30</version>
</dependency>
<dependency>
<groupId>org.quartz-scheduler</groupId>
<artifactId>quartz</artifactId>
<version>2.2.1</version>
</dependency>
<dependency>
<groupId>com.google.guava</groupId>
<artifactId>guava</artifactId>
<version>23.2-jre</version>
</dependency>
<dependency>
<groupId>org.apache.httpcomponents</groupId>
<artifactId>httpclient</artifactId>
<version>4.3.6</version>
</dependency>
<dependency>
<groupId>com.alibaba</groupId>
<artifactId>druid</artifactId>
<version>1.0.19</version>
</dependency>
</dependencies>
<build>
<plugins>
<plugin>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-maven-plugin</artifactId>
<configuration>
<executable>true</executable>
</configuration>
</plugin>
</plugins>
</build>
</project>
그나저나, rest api는 제가 코드나 라이브러리(드루이드와 같은)를 추가하기 전에 잘 작동합니다.그런데 원인이 뭔지 모르겠는데, 누가 도와줄 수 있나요? 아니면 디버깅하는 방법을 알려주실 수 있나요? 감사합니다!
다른 정보가 필요하시면 댓글로 말씀해주세요.
갱신하다
공식 튜토리얼에서 컨트롤러를 다음과 같이 수정했습니다.
@RestController
@RequestMapping(path = "/test")
public class GreetingController {
private static final String template = "Hello, %s!";
private final AtomicLong counter = new AtomicLong();
@RequestMapping("/greeting")
public Greeting greeting(@RequestParam(value="name", defaultValue="World") String name) {
return new Greeting(counter.incrementAndGet(),
String.format(template, name));
}
@RequestMapping(method = RequestMethod.GET)
public JSONObject HelloWorld() {
JSONObject res = new JSONObject();
res.put("data", "hello world!");
res.put("errCode", 0);
return res;
}
}
잘 작동합니다!
이제야 알았어요.
저는 @PostConstruct Annotation이 있는 메서드에서 잠시 루프를 작성합니다.스프링 메인 프로세스를 차단하여 나머지 컨트롤러가 로드되지 않도록 해야 합니다.
내가 얼마나 어리석은가요.
혹시 컨트롤러를 찾을 수 없어서 그런 건가요?가능한 경우 @ComponentScan을 사용하여 시도해 볼 수 있습니까? @ComponentScan은 Spring에게 Hello 패키지에서 다른 구성 요소, 구성 및 서비스를 찾도록 지시하여 컨트롤러를 찾을 수 있습니다.
@SpringBootApplication
@ComponentScan(basePackageClasses = TestController.class)
@EnableConfigurationProperties({TeacherMateSettings.class})
public class JobScheduleApplication {
//Your code here
}
따라서 기본적으로 애플리케이션의 주요 방법은 컨트롤러, 서비스, 엔티티 등을 식별할 수 없습니다.먼저 각 클래스에 사용하고 있는지 확인하십시오.컨트롤러 클래스에 대한 @Rest 컨트롤러와 같은
@RestController
@service
@Entity
@JPARepository
또한 스프링 부트 응용 프로그램에 다른 패키지의 이러한 클래스를 확인하도록 요청해야 합니다.
@ComponentScan({"com.funky.classes.controller","com.funky.classes.service"})
@EntityScan("com.funky.classes.model")
@EnableJpaRepositories("com.funky.classes.repository")
@SpringBootApplication()...
테스트할 사용자 클래스 만들기:
public class Person{
private String name;
private String nickname;
//getters and setters...
}
컨트롤러 방법에서 다음을 시도합니다.
@GetMapping(value ="/test", consumes = {MediaType.APPLICATION_JSON_VALUE })
public ResponseEntity<?> helloWorld() {
Person person = new Person();
person.setName("test");
person.setNickname("test2");
return ResponseEntity.status(HttpStatus.OK).body(person);
}
여기에 누락된 것이 몇 가지 있습니다.먼저 정의된 함수에 RequestMapping을 추가해야 하며 JSONObject를 반환하려면 다음 함수의 반환 유형으로 ResponseEntity와 함께 @ResponseBody 주석을 사용해야 합니다.
@RequestMapping(value = "/testing", method = RequestMethod.GET, consumes = MediaType.APPLICATION_JSON)
public @ResponseBody ResponseEntity<JSONObject> HelloWorld() {
JSONObject res = new JSONObject();
LOGGER.info("HelloWorld Test!");
res.put("data", "hello world!");
res.put("errCode", 0);
return ResponseEntity.status(HttpStatus.OK).body(res);
}
@RequestMapping 주석은 기능 수준과 클래스 수준 모두에서 사용할 수 있습니다.클래스 수준 주석 값은 최종 REST 끝점의 모든 함수 @RequestMapping 주석 값 앞에 추가되어야 합니다.
안녕하세요!
The @RequestMapping annotation should be made in this way
@RestController
public class TestController {
@RequestMapping(value = "/test", method = RequestMethod.GET)
public JSONObject HelloWorld() {
JSONObject res = new JSONObject();
LOGGER.info("HelloWorld Test!");
res.put("data", "hello world!");
res.put("errCode", 0);
return res;
}
}
하지만 그렇게 하면 같은 결과를 얻을 수 있습니다.
@RestController
public class TestController {
@RequestMapping(value = "/test", method = RequestMethod.GET,
produces = MediaType.APPLICATION_JSON_VALUE )
public HashMap HelloWorld() {
HashMap<String, String> res = new HashMap<String, String>();
res.put("data", "hello world");
res.put("errorCode", "0");
return res;
}
}
url -> localhost:{port}/test
참조:
특히 Tomcat 10.14를 사용하는 springboot 3.0.1에서도 동일한 문제가 있었습니다.이 형식은 스프링부트 응용 프로그램 클래스에서 사용해야 합니다. 그렇지 않으면 흰색 레이블 페이지가 표시됩니다.
시도할 형식은 다음과 같습니다.springboot 클래스 응용 프로그램 실행
@EnableAutoConfiguration
@SpringBootApplication
@AutoConfigurationPackage
@ComponentScan(basePackageClasses = {UserResourceController.class, UserService.class, Repo.class})
public class DemoApplication {
public static void main(String[] args) {
SpringApplication.run(DemoApplication.class, args);
}
}
아래 설명된 대로 요청 매핑 주석을 적용해 보십시오.
@RestController
public class TestController {
@RequestMapping(method = RequestMethod.GET)
@RequestMapping(path = "/test")
public JSONObject HelloWorld() {
JSONObject res = new JSONObject();
LOGGER.info("HelloWorld Test!");
res.put("data", "hello world!");
res.put("errCode", 0);
return res;
}
}
또한 아래 링크에서 더 많은 예를 확인하십시오. http://www.baeldung.com/spring-requestmapping
언급URL : https://stackoverflow.com/questions/47262140/rest-controller-not-working-in-spring-boot
'source' 카테고리의 다른 글
안드로이드 구글 지도 java.lang.NoClassDefFoundError: 확인 실패: Log/apache/http/ProtocolVersion (0) | 2023.08.05 |
---|---|
진자 템플릿의 사전 목록을 통해 반복하는 방법은 무엇입니까? (0) | 2023.08.05 |
모듈 간 변수를 만드는 방법은 무엇입니까? (0) | 2023.08.05 |
Flutter : Flutter Project에서 Android minSdkVersion을 변경하는 방법은 무엇입니까? (0) | 2023.08.05 |
발견되지 않은 오류: SECURITY_ERR: 쿠키를 설정하려고 할 때 DOM 예외 18 (0) | 2023.08.05 |