java 尝试从REST API返回对象列表时出错

cgfeq70w  于 2024-01-05  发布在  Java
关注(0)|答案(1)|浏览(265)

``我正在学习spring Boot ,并试图从我的API端点发送课程对象列表。但在检索课程对象列表的测试用例中,我得到以下错误:
第一个月
我的测试案例中,我得到了这个错误在 Postman 我收到的课程对象的列表。我填充数据库与以下data.sql文件
insert into course(id, name) values(99, 'DBMS');
schema.sql DROP TABLE IF EXISTS课程;

  1. create table course (
  2. id bigint not null,
  3. name varchar(255) UNIQUE,
  4. primary key (id)
  5. );

个字符
所有其他测试用例都通过了,只有我提到的那个测试用例失败了。
testCase文件

  1. package com.jpa.hibernate.learnjpa;
  2. import org.junit.jupiter.api.Test;
  3. import org.springframework.beans.factory.annotation.Autowired;
  4. import org.springframework.boot.test.context.SpringBootTest;
  5. import org.springframework.boot.test.web.client.TestRestTemplate;
  6. import org.springframework.core.ParameterizedTypeReference;
  7. import org.springframework.http.HttpEntity;
  8. import org.springframework.http.HttpMethod;
  9. import org.springframework.http.HttpStatus;
  10. import org.springframework.http.ResponseEntity;
  11. import org.springframework.test.annotation.DirtiesContext;
  12. import com.jayway.jsonpath.DocumentContext;
  13. import com.jayway.jsonpath.JsonPath;
  14. import com.socgen.jpa.hibernate.learnjpa.entity.Course;
  15. import com.socgen.jpa.hibernate.learnjpa.repository.CourseRepository;
  16. import static org.assertj.core.api.Assertions.assertThat;
  17. import java.net.URI;
  18. import java.util.List;
  19. @SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT)
  20. class LearnjpaApplicationTests {
  21. @Autowired
  22. TestRestTemplate restTemplate;
  23. @Autowired
  24. private CourseRepository courseRepository;
  25. @Test
  26. void ShouldReturnACourseOfGivenId() {
  27. ResponseEntity<String> response = restTemplate.getForEntity("/course/99", String.class);
  28. assertThat(response.getStatusCode()).isEqualTo(HttpStatus.OK);
  29. DocumentContext documentContext = JsonPath.parse(response.getBody());
  30. Number id = documentContext.read("$.id");
  31. assertThat(id).isNotNull();
  32. assertThat(id).isEqualTo(99);
  33. }
  34. @Test
  35. void ShouldReturn404ForNonRegisteredIds() {
  36. ResponseEntity<String> response = restTemplate.getForEntity("/course/1000", String.class);
  37. assertThat(response.getStatusCode()).isEqualTo(HttpStatus.NOT_FOUND);
  38. }
  39. @Test
  40. @DirtiesContext
  41. void shouldReturnNoContentWhenDelete() {
  42. ResponseEntity<Void> response = restTemplate.exchange("/course/99", HttpMethod.DELETE, null, Void.class);
  43. assertThat(response.getStatusCode()).isEqualTo(HttpStatus.NO_CONTENT);
  44. }
  45. @Test
  46. @DirtiesContext
  47. void shouldReturnCreated() {
  48. // creating the new course
  49. Course course = new Course("CSE");
  50. ResponseEntity<Void> response = restTemplate.postForEntity("/course/add", course, Void.class);
  51. assertThat(response.getStatusCode()).isEqualTo(HttpStatus.CREATED);
  52. // course was created
  53. URI locationOfNewCourse = response.getHeaders().getLocation();
  54. ResponseEntity<String> getResponse = restTemplate.getForEntity(locationOfNewCourse, String.class);
  55. assertThat(getResponse.getStatusCode()).isEqualTo(HttpStatus.OK);
  56. // making sure can't create duplicate course
  57. ResponseEntity<Void> response2 = restTemplate.postForEntity("/course/add", course, Void.class);
  58. assertThat(response2.getStatusCode()).isEqualTo(HttpStatus.BAD_REQUEST);
  59. }
  60. @Test
  61. @DirtiesContext
  62. void shouldUpdateAndReturnNewCourse() {
  63. Course updatedCourse = new Course("NETWORKS");
  64. updatedCourse.setId(99L);
  65. HttpEntity<Course> requestObject = new HttpEntity<>(updatedCourse);
  66. ResponseEntity<Course> updateResponse = restTemplate.exchange("/course/update/99", HttpMethod.PUT,
  67. requestObject, Course.class);
  68. assertThat(updateResponse.getStatusCode()).isEqualTo(HttpStatus.CREATED);
  69. assertThat(updateResponse.getBody()).isNotNull();
  70. assertThat(updateResponse.getBody().getName()).isNotEqualTo("DBMS");
  71. assertThat(updateResponse.getBody().getName()).isEqualTo("NETWORKS");
  72. }
  73. @Test
  74. void shouldReturnAListOfAllCourses() {
  75. // List<Course> result = courseRepository.findAllCoursesInTable();
  76. // assertThat(result.size()).isEqualTo(2);
  77. ResponseEntity<List<Course>> getResponse = restTemplate.exchange(
  78. "/all",
  79. HttpMethod.GET,
  80. null,
  81. new ParameterizedTypeReference<List<Course>>() {
  82. });
  83. assertThat(getResponse.getStatusCode()).isEqualTo(HttpStatus.OK);
  84. assertThat(getResponse.getBody()).isNotNull();
  85. assertThat(getResponse.getBody().size()).isEqualTo(2); // Adjust the expected size as needed
  86. }
  87. }


课程实体

  1. package com.jpa.hibernate.learnjpa.entity;
  2. import jakarta.persistence.Column;
  3. import jakarta.persistence.Entity;
  4. import jakarta.persistence.GeneratedValue;
  5. import jakarta.persistence.Id;
  6. import jakarta.persistence.Table;
  7. @Entity
  8. @Table(name = "course")
  9. public class Course {
  10. @Id
  11. @GeneratedValue
  12. private Long id;
  13. @Column(unique = true)
  14. private String name;
  15. public Course(String name){
  16. this.name = name;
  17. }
  18. public Course(){
  19. }
  20. // getters and setters
  21. public Long getId() {
  22. return id;
  23. }
  24. public String getName() {
  25. return name;
  26. }
  27. public void setId(Long id) {
  28. this.id = id;
  29. }
  30. public void setName(String name) {
  31. this.name = name;
  32. }
  33. @Override
  34. public String toString() {
  35. return name + " " + id;
  36. }
  37. }


课程库

  1. package com.jpa.hibernate.learnjpa.repository;
  2. import org.springframework.stereotype.Repository;
  3. import org.springframework.data.jpa.repository.JpaRepository;
  4. import org.springframework.data.jpa.repository.Query;
  5. import com.socgen.jpa.hibernate.learnjpa.entity.Course;
  6. import java.util.List;
  7. import java.util.Optional;
  8. @Repository
  9. public interface CourseRepository extends JpaRepository<Course, Long> {
  10. Optional<Course> findById(Long id);
  11. void deleteById(Long id); //does nothing if ID not found
  12. Optional<Course> findByName(String name);
  13. @Query(value = "select * from course", nativeQuery = true)
  14. List<Course> findAllCoursesInTable();
  15. }


CourseController

  1. package com.jpa.hibernate.learnjpa.controller;
  2. import org.springframework.web.bind.annotation.RequestMapping;
  3. import org.springframework.web.bind.annotation.RestController;
  4. import org.springframework.web.util.UriComponentsBuilder;
  5. import com.socgen.jpa.hibernate.learnjpa.Services.CourseService;
  6. import com.socgen.jpa.hibernate.learnjpa.entity.Course;
  7. import java.net.URI;
  8. import java.util.List;
  9. import org.springframework.beans.factory.annotation.Autowired;
  10. import org.springframework.http.ResponseEntity;
  11. import org.springframework.web.bind.annotation.DeleteMapping;
  12. import org.springframework.web.bind.annotation.GetMapping;
  13. import org.springframework.web.bind.annotation.PathVariable;
  14. import org.springframework.web.bind.annotation.PostMapping;
  15. import org.springframework.web.bind.annotation.RequestBody;
  16. import org.springframework.web.bind.annotation.PutMapping;
  17. @RestController
  18. @RequestMapping("/course")
  19. public class CourseController {
  20. @Autowired
  21. private CourseService courseService;
  22. @GetMapping("/{id}")
  23. public ResponseEntity<Course> getCourseById(@PathVariable Long id) {
  24. Course course = courseService.findById(id);
  25. if(course == null){
  26. return ResponseEntity.notFound().build();
  27. }
  28. return ResponseEntity.ok(course);
  29. }
  30. // getting all the courses
  31. @GetMapping("/all")
  32. public ResponseEntity<List<Course>> getAllCourses() {
  33. return ResponseEntity.ok().body(courseService.getAllCourses());
  34. }
  35. @DeleteMapping("/{id}")
  36. public ResponseEntity<Void> deleteCourseById(@PathVariable Long id){
  37. if(courseService.deleteById(id)) return ResponseEntity.noContent().build();
  38. return ResponseEntity.notFound().build();
  39. }
  40. @PostMapping("/add")
  41. public ResponseEntity<Void> addCourse(@RequestBody Course course, UriComponentsBuilder ucb) {
  42. Course newCourse = courseService.addNewCourse(course);
  43. if(newCourse != null){
  44. URI locationOfNewCourse = ucb.path("course/{id}").buildAndExpand(newCourse.getId()).toUri();
  45. return ResponseEntity.created(locationOfNewCourse).build();
  46. }
  47. return ResponseEntity.badRequest().build();
  48. }
  49. @PutMapping("update/{id}")
  50. public ResponseEntity<Course> putMethodName(@PathVariable String id, @RequestBody Course course, UriComponentsBuilder ucb) {
  51. Course updatedCourse = courseService.updateCourse(course);
  52. return ResponseEntity.created(null).body(updatedCourse);
  53. }
  54. }


课程服务

  1. package com.jpa.hibernate.learnjpa.Services;
  2. import java.util.List;
  3. import com.jpa.hibernate.learnjpa.entity.Course;
  4. public interface CourseService {
  5. Course findById(Long id);
  6. Boolean deleteById(Long id); //returns true if any object was deleted else returns false
  7. Course addNewCourse(Course course);
  8. Course updateCourse(Course course);
  9. List<Course> getAllCourses();
  10. }


CourseServiceImpl

  1. package com.jpa.hibernate.learnjpa.Services;
  2. import java.util.List;
  3. import java.util.Optional;
  4. import org.slf4j.Logger;
  5. import org.slf4j.LoggerFactory;
  6. import org.springframework.beans.factory.annotation.Autowired;
  7. import org.springframework.stereotype.Service;
  8. import com.socgen.jpa.hibernate.learnjpa.entity.Course;
  9. import com.socgen.jpa.hibernate.learnjpa.repository.CourseRepository;
  10. @Service
  11. public class CourseServiceImp implements CourseService {
  12. Logger logger = LoggerFactory.getLogger(this.getClass());
  13. @Autowired
  14. CourseRepository courseRepository;
  15. @Override
  16. public Course findById(Long id) {
  17. Optional<Course> course = courseRepository.findById(id);
  18. logger.info(course.toString());
  19. if(course.isPresent()) return course.get();
  20. return null;
  21. }
  22. @Override
  23. public Boolean deleteById(Long id) {
  24. Optional<Course> course = courseRepository.findById(id);
  25. if(!course.isPresent()) return false;
  26. courseRepository.deleteById(id);
  27. return true;
  28. }
  29. @Override
  30. public Course addNewCourse(Course course) {
  31. Optional<Course> courseExists = courseRepository.findByName(course.getName());
  32. if(courseExists.isPresent()) return null;
  33. Course newCourse = courseRepository.save(course);
  34. return newCourse;
  35. }
  36. @Override
  37. public Course updateCourse(Course course) {
  38. Course updatedCourse = courseRepository.save(course);
  39. return updatedCourse;
  40. }
  41. @Override
  42. public List<Course> getAllCourses() {
  43. return courseRepository.findAllCoursesInTable();
  44. }
  45. }


pom.xml

  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <project xmlns="http://maven.apache.org/POM/4.0.0"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
  5. <modelVersion>4.0.0</modelVersion>
  6. <parent>
  7. <groupId>org.springframework.boot</groupId>
  8. <artifactId>spring-boot-starter-parent</artifactId>
  9. <version>3.2.1</version>
  10. <relativePath /> <!-- lookup parent from repository -->
  11. </parent>
  12. <groupId>com.socgen.jpa.hibernate</groupId>
  13. <artifactId>learnjpa</artifactId>
  14. <version>0.0.1-SNAPSHOT</version>
  15. <name>learnjpa</name>
  16. <description>Demo project for Spring Boot</description>
  17. <properties>
  18. <java.version>17</java.version>
  19. </properties>
  20. <dependencies>
  21. <dependency>
  22. <groupId>org.springframework.boot</groupId>
  23. <artifactId>spring-boot-starter-actuator</artifactId>
  24. </dependency>
  25. <dependency>
  26. <groupId>org.springframework.boot</groupId>
  27. <artifactId>spring-boot-starter-data-jpa</artifactId>
  28. </dependency>
  29. <dependency>
  30. <groupId>org.springframework.boot</groupId>
  31. <artifactId>spring-boot-starter-data-jdbc</artifactId>
  32. </dependency>
  33. <dependency>
  34. <groupId>org.springframework.boot</groupId>
  35. <artifactId>spring-boot-starter-web</artifactId>
  36. </dependency>
  37. <dependency>
  38. <groupId>org.springframework.boot</groupId>
  39. <artifactId>spring-boot-devtools</artifactId>
  40. <scope>runtime</scope>
  41. <optional>true</optional>
  42. </dependency>
  43. <dependency>
  44. <groupId>com.h2database</groupId>
  45. <artifactId>h2</artifactId>
  46. <scope>runtime</scope>
  47. </dependency>
  48. <dependency>
  49. <groupId>org.springframework.boot</groupId>
  50. <artifactId>spring-boot-starter-test</artifactId>
  51. <scope>test</scope>
  52. </dependency>
  53. <dependency>
  54. <groupId>com.fasterxml.jackson.core</groupId>
  55. <artifactId>jackson-databind</artifactId>
  56. </dependency>
  57. </dependencies>
  58. <build>
  59. <plugins>
  60. <plugin>
  61. <groupId>org.springframework.boot</groupId>
  62. <artifactId>spring-boot-maven-plugin</artifactId>
  63. </plugin>
  64. <plugin>
  65. <groupId>org.apache.maven.plugins</groupId>
  66. <artifactId>maven-surefire-plugin</artifactId>
  67. <version>3.2.3</version>
  68. </plugin>
  69. </plugins>
  70. </build>
  71. </project>


我不知道我做错了什么,因为当我尝试在postman中测试它时,端点工作。可能是测试用例的一些问题。

6rvt4ljy

6rvt4ljy1#

您忘记了/course前缀,

  1. ResponseEntity<List<Course>> getResponse = restTemplate.exchange("/course/all", /* rest of params */);

字符串
哦,当测试控制器时,看看MockMvc

相关问题