티스토리 뷰

활동/교육과정 중 기록

200318 Spring Boot

Stolen Moments 2020. 3. 18. 12:41

Spring Boot




스프링 부트와 AWS로 혼자 구현하는 웹 서비스 - 3




3.4 등록/수정/조회 API 만들기



- web 패키지에 PostApiController 만들기


PostApiController.java


import com.springboot.service.posts.PostsService;
import com.springboot.web.dto.PostsResponseDto;
import com.springboot.web.dto.PostsSaveRequestDto;
import com.springboot.web.dto.PostsUpdateRequestDto;
import lombok.RequiredArgsConstructor;
import org.springframework.web.bind.annotation.*;

@RequiredArgsConstructor
@RestController
public class PostsApiController {
private final PostsService postsService;

@PostMapping("/api/v1/posts")
public Long save(@RequestBody PostsSaveRequestDto requestDto) {
return postsService.save(requestDto);
}

@PutMapping("/api/v1/posts/{id}")
public Long update(@PathVariable Long id, @RequestBody PostsUpdateRequestDto requestDto) {
return postsService.update(id, requestDto);
}

@GetMapping("/api/v1/posts/{id}")
public PostsResponseDto findById(@PathVariable Long id) {
return postsService.findById(id);
}
}


- service 패키지에 PostsService 만들기


PostsService.java


package com.springboot.service.posts;

import com.springboot.domain.posts.Posts;
import com.springboot.domain.posts.PostsRepository;
import com.springboot.web.dto.PostsResponseDto;
import com.springboot.web.dto.PostsSaveRequestDto;
import com.springboot.web.dto.PostsUpdateRequestDto;
import lombok.RequiredArgsConstructor;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;

@RequiredArgsConstructor
@Service
public class PostsService {

public final PostsRepository postsRepository;

@Transactional
public Long save(PostsSaveRequestDto requestDto) {
return postsRepository.save(requestDto.toEntity()).getId();
}

@Transactional
public Long update(Long id, PostsUpdateRequestDto requestDto) {
Posts posts = postsRepository.findById(id)
.orElseThrow(() -> new IllegalArgumentException("해당 게시글이 없습니다. id=" + id));

posts.update(requestDto.getTitle(), requestDto.getContent());

return id;
}

public PostsResponseDto findById(Long id) {
Posts entity = postsRepository.findById(id)
.orElseThrow(() -> new IllegalArgumentException("해당 게시글이 없습니다. id=" + id));

return new PostsResponseDto(entity);
}
}



@RequiredArgsConstructor


Bean을 주입받는 방식엔 @Autowired, @Setter, 생성자가 있는데 @Autowired는 권장하지 않고 생성자를 권장한다. final 필드를 인자값으로 하는 생성자를 @RequiredArgsConstructor가 대신 생성해준다. 이는 의존성 관계가 변경될 때 마다 코드를 수정해야하는 번거로움을 해결해준다. 오오 롬복 오오




- web.dto 패키지에 PostsSaveRequestDto


PostsSaveRequestDto.java


import com.springboot.domain.posts.Posts;
import lombok.Builder;
import lombok.Getter;
import lombok.NoArgsConstructor;

@Getter
@NoArgsConstructor
public class PostsSaveRequestDto {
private String title;
private String content;
private String author;

@Builder
public PostsSaveRequestDto(String title, String content, String author) {
this.title = title;
this.content = content;
this.author = author;
}

public Posts toEntity() {
return Posts.builder()
.title(title)
.content(content)
.author(author)
.build();
}




Entity 클래스 두고 왜 Dto 클래스를 또 만드나요?


Entity 클래스를 Request/Response 클래스로 사용하면 안 된다.


테이블과 맞닿은 핵심 클래스고 많은 서비스 클래스, 비즈니스 로직이 Entity 클래스를 기준으로 동작한다.

기준이 변경되면 당연히 여러 클래스에 영향을 미친다.

Request/Response 용 Dto는 View를 위한 클래스 이므로 자주 변경이 필요하다.


View Layer, DB Layer의 역할 분리를 철저히 하는 것이 좋다.



- 테스트 코드 작성


PostsApiControllerTest.java


package com.springboot.web;

import java.util.List;

import com.springboot.domain.posts.Posts;
import com.springboot.domain.posts.PostsRepository;
import com.springboot.web.dto.PostsSaveRequestDto;
import com.springboot.web.dto.PostsUpdateRequestDto;
import org.junit.After;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.boot.test.web.client.TestRestTemplate;
import org.springframework.boot.web.server.LocalServerPort;
import org.springframework.http.HttpEntity;
import org.springframework.http.HttpMethod;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.test.context.junit4.SpringRunner;

import static org.assertj.core.api.Assertions.assertThat;

@RunWith(SpringRunner.class)
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT)
public class PostsApiControllerTest {

@LocalServerPort
private int port;

@Autowired
private TestRestTemplate restTemplate;

@Autowired
private PostsRepository postsRepository;

@After
public void tearDown() throws Exception {
postsRepository.deleteAll();
}

@Test
public void Posts_등록된다() throws Exception {
//given
String title = "title";
String content = "content";
PostsSaveRequestDto requestDto = PostsSaveRequestDto.builder()
.title(title)
.content(content)
.author("author")
.build();

String url = "http://localhost:" + port + "/api/v1/posts";

//when
ResponseEntity<Long> responseEntity = restTemplate.postForEntity(url, requestDto, Long.class);
assertThat(responseEntity.getStatusCode()).isEqualTo(HttpStatus.OK);
assertThat(responseEntity.getBody()).isGreaterThan(0L);


//then
List<Posts> all = postsRepository.findAll();
assertThat(all.get(0).getTitle()).isEqualTo(title);
assertThat(all.get(0).getContent()).isEqualTo(content);
}

@Test
public void Posts_수정된다() throws Exception {
//given
Posts savedPosts = postsRepository.save(Posts.builder()
.title("title")
.content("content")
.author("author")
.build());

Long updateId = savedPosts.getId();
String expectedTitle = "title2";
String expectedContent = "content2";

PostsUpdateRequestDto requestDto =
PostsUpdateRequestDto.builder()
.title(expectedTitle)
.content(expectedContent)
.build();

String url = "http://localhost:" + port + "/api/v1/posts/"+updateId;

HttpEntity<PostsUpdateRequestDto> requestEntity = new HttpEntity<>(requestDto);

//when
ResponseEntity<Long> responseEntity = restTemplate.exchange(url, HttpMethod.PUT, requestEntity, Long.class);

//then
assertThat(responseEntity.getStatusCode()).isEqualTo(HttpStatus.OK);
assertThat(responseEntity.getBody()).isGreaterThan(0L);

List<Posts> all = postsRepository.findAll();
assertThat(all.get(0).getTitle()).isEqualTo(expectedTitle);
assertThat(all.get(0).getContent()).isEqualTo(expectedContent);
}
}


@WebMvcTest 를 사용하지 않은 이유 : JPA 관련 기능이 동작하지 않음.


JPA 기능 테스트는 @SpringBootTest, TestRestTemplate 를 사용한다.





- PostsApiController.java


import com.springboot.service.posts.PostsService;
import com.springboot.web.dto.PostsResponseDto;
import com.springboot.web.dto.PostsSaveRequestDto;
import com.springboot.web.dto.PostsUpdateRequestDto;
import lombok.RequiredArgsConstructor;
import org.springframework.web.bind.annotation.*;

@RequiredArgsConstructor
@RestController
public class PostsApiController {
private final PostsService postsService;

@PostMapping("/api/v1/posts")
public Long save(@RequestBody PostsSaveRequestDto requestDto) {
return postsService.save(requestDto);
}

@PutMapping("/api/v1/posts/{id}")
public Long update(@PathVariable Long id, @RequestBody PostsUpdateRequestDto requestDto) {
return postsService.update(id, requestDto);
}

@GetMapping("/api/v1/posts/{id}")
public PostsResponseDto findById(@PathVariable Long id) {
return postsService.findById(id);
}
}



- PostsResponseDto


package com.springboot.web.dto;

import com.springboot.domain.posts.Posts;
import lombok.Getter;

@Getter
public class PostsResponseDto {

private Long id;
private String title;
private String content;
private String author;

public PostsResponseDto(Posts entity) {
this.id = entity.getId();
this.title = entity.getTitle();
this.content = entity.getContent();
this.author = entity.getAuthor();
}
}

Entity의 필드 중 일부만 사용하므로 생성자로 Entity 받아서 필드에 값을 넣는다.





- PostsUpdateRequestDto


package com.springboot.web.dto;

import lombok.Builder;
import lombok.Getter;
import lombok.NoArgsConstructor;

@Getter
@NoArgsConstructor
public class PostsUpdateRequestDto {
private String title;
private String content;

@Builder
public PostsUpdateRequestDto(String title, String content) {
this.title = title;
this.content = content;
}

}


- PostsService


package com.springboot.service.posts;

import com.springboot.domain.posts.Posts;
import com.springboot.domain.posts.PostsRepository;
import com.springboot.web.dto.PostsResponseDto;
import com.springboot.web.dto.PostsSaveRequestDto;
import com.springboot.web.dto.PostsUpdateRequestDto;
import lombok.RequiredArgsConstructor;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;

@RequiredArgsConstructor
@Service
public class PostsService {

public final PostsRepository postsRepository;

@Transactional
public Long save(PostsSaveRequestDto requestDto) {
return postsRepository.save(requestDto.toEntity()).getId();
}

@Transactional
public Long update(Long id, PostsUpdateRequestDto requestDto) {
Posts posts = postsRepository.findById(id)
.orElseThrow(() -> new IllegalArgumentException("해당 게시글이 없습니다. id=" + id));

posts.update(requestDto.getTitle(), requestDto.getContent());

return id;
}

public PostsResponseDto findById(Long id) {
Posts entity = postsRepository.findById(id)
.orElseThrow(() -> new IllegalArgumentException("해당 게시글이 없습니다. id=" + id));

return new PostsResponseDto(entity);
}
}



update 기능에서 쿼리를 날리는 부분이 없는 이유? JPA의 영속성 컨텍스트 때문. 더티 체킹.



- 로컬 데이터베이스 H2 사용하기


application.properties에 옵션 추가하기


spring.h2.console.enabled=true



- h2 console 접속하기


1. Application main 메소드 실행


2. http://localhost:8080/h2-console 접속


3. JDBC URL : jdbc:h2:mem:testdb 입력


4. 쿼리문 날려보고 http://localhost:8080/api/v1/posts/1 입력해서 조회 기능 테스트.

반응형

'활동 > 교육과정 중 기록' 카테고리의 다른 글

200319 Spring Boot  (0) 2020.03.19
200316 Spring Boot  (0) 2020.03.16
200315 Spring Boot  (0) 2020.03.15
200314 Spring Boot  (0) 2020.03.14
200211 React  (0) 2020.02.11
댓글
반응형
공지사항
최근에 올라온 글
최근에 달린 댓글
Total
Today
Yesterday
링크
«   2024/05   »
1 2 3 4
5 6 7 8 9 10 11
12 13 14 15 16 17 18
19 20 21 22 23 24 25
26 27 28 29 30 31
글 보관함