Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 코드로배우는스프링웹프로젝트
- 네트워크 설정
- Kernighan의 C언어 프로그래밍
- network configuration
- iterator
- 데비안
- d
- resttemplate
- 처음 만나는 AI수학 with Python
- baeldung
- 처음 만나는 AI 수학 with Python
- 자바편
- 친절한SQL튜닝
- GIT
- 알파회계
- 이터레이터
- 선형대수
- 자료구조와함께배우는알고리즘입문
- 서버설정
- ㅒ
- 코드로배우는스프링부트웹프로젝트
- 스프링부트핵심가이드
- 구멍가게코딩단
- 스프링 시큐리티
- 목록처리
- 리눅스
- 페이징
- 티스토리 쿠키 삭제
- /etc/network/interfaces
- 자료구조와 함께 배우는 알고리즘 입문
Archives
- Today
- Total
bright jazz music
blog11: 게시글 삭제 본문
//PostController.java
//...
@Slf4j
@RestController
@RequiredArgsConstructor
public class PostController {
private final PostService postService;
@PostMapping("/posts")
public void post(@RequestBody @Valid PostCreate request) {
postService.write(request);
// return Map.of();
}
//단건 조회
@GetMapping("/posts/{postId}")
public PostResponse get(@PathVariable Long postId){
PostResponse response = postService.get(postId);
return response;
}
//여러 글 조회(글 목록 가져오기)
// /posts
@GetMapping("/posts")
//글이 너무 많은 경우 비용이 너무 많이 든다.
//DB가 뻗을 수 있음.
//DB -> 애플리케이션 서버로 전달하는 시간, 트래픽 비용이 많이 발생할 수 있다.
//따라서 페이지 설정
// 원래는 int로 받았음
// public List<PostResponse> getList(@RequestParam int page){
// 그러나 사용의 용이성을 위해 pageable을 사용함
// public List<PostResponse> getList(@PageableDefault Pageable pageable){ //1로 넘겨도 0으로 보정해서 넣어줌.
//근데 PageableDefault의 기본 size가 10이라 yml에서 설정해도 먹히지 않는다.
//이 떄는 어노테이션을 그대로 유지하면서 size를 파라미터로 넣어주는 방법이 있다.
//public List<PostResponse> getList(@PageableDefault(size=10) Pageable pageable){
//또는 어노테이션을 빼고 application.yml에서 default-page-size를 설정하여 해결할 수 수있다.
//전에는 Pageable을 사용했으나 여러 요구사항을 수용 할 수 있는 클래스를 사용하기 위해
//postSearch 클래스 사용
public List<PostResponse> getList(@ModelAttribute PostSearch postSearch){//따로 만든 요청클래스 사용하려고 함
// public List<PostResponse> getList(Pageable pageable){
return postService.getList(postSearch);
}
@PatchMapping("/posts/{postId}")
public void edit(@PathVariable Long postId, @RequestBody @Valid PostEdit request){
postService.edit(postId, request);
}
@DeleteMapping("/posts/{postId}")
public void delete(@PathVariable Long postId){
postService.delete(postId);
}
}
//PostService.java
//...
@Slf4j
@Service
//@RequiredArgsConstructor
public class PostService {
private final PostRepository postRepository;
public PostService(PostRepository postRepository){
this.postRepository = postRepository;
}
public void write(PostCreate postCreate) {
//PostCreate 일반 클래스 ==> Post 엔티티
Post post = Post.builder()
.title(postCreate.getTitle())
.content(postCreate.getContent())
.build();
postRepository.save(post);
}
//단건 조회
public PostResponse get(Long id) {
Post post = postRepository.findById(id)
.orElseThrow(() -> new IllegalArgumentException("존재하지 않는 글입니다.")); //있으면 post반환 없으면 에러 반환
//응답 클래스를 분리
return PostResponse.builder()
.id(post.getId())
.title(post.getTitle())
.content(post.getContent())
.build();
}
// public List<Post> getList() {
// return postRepository.findAll();
// }
// public List<PostResponse> getList(Pageable pageable){
public List<PostResponse> getList(PostSearch postSearch){
// return postRepository.findAll(pageable).stream() //pageable
return postRepository.getList(postSearch).stream() //QueryDsl사용
.map(PostResponse::new)
.collect(Collectors.toList());
}
//게시글 수정
@Transactional //알아서 커밋
public void edit(Long id, PostEdit postEdit){
Post post = postRepository.findById(id)
.orElseThrow(()-> new IllegalArgumentException("존재하지 않는 글입니다."));
// post.setTitle(postEdit.getTitle());
// post.setContent(postEdit.getContent());
// post.change(postEdit.getTitle(), postEdit.getContent());
// postRepository.save(post); 사실상 적어주지 않아도 된다. 대신 @Transactional을 사용
PostEditor.PostEditorBuilder editorBuilder = post.toEditor();
PostEditor postEditor = editorBuilder
.title(postEdit.getTitle())
.content(postEdit.getContent())
.build();
post.edit(postEditor);
}
public void delete(Long id){
Post post = postRepository.findById(id)
.orElseThrow(() -> new IllegalArgumentException("존재하지 않는 글입니다."));
postRepository.delete(post);
}
}
//PostServiceTest.java
package com.endofma.blog.service;
import com.endofma.blog.domain.Post;
import com.endofma.blog.repository.PostRepository;
import com.endofma.blog.request.PostCreate;
import com.endofma.blog.request.PostEdit;
import com.endofma.blog.request.PostSearch;
import com.endofma.blog.response.PostResponse;
import org.junit.jupiter.api.Assertions;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.DisplayName;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.data.domain.PageRequest;
import org.springframework.data.domain.Pageable;
import org.springframework.data.domain.Sort;
import java.util.List;
import java.util.stream.Collectors;
import java.util.stream.IntStream;
import java.util.stream.Stream;
import static org.junit.jupiter.api.Assertions.assertEquals;
import static org.junit.jupiter.api.Assertions.assertNotNull;
@SpringBootTest
class PostServiceTest {
@Autowired
private PostService postService;
@Autowired
private PostRepository postRepository;
@BeforeEach
void clean(){
postRepository.deleteAll();
}
@Test
@DisplayName("글 작성")
void test1() {
//given
PostCreate postCreate = PostCreate.builder()
.title("제목입니다.")
.content("내용입니다.")
.build();
//when
postService.write(postCreate);
//then
Assertions.assertEquals(1L, postRepository.count());
Post post = postRepository.findAll().get(0);
assertEquals("제목입니다.", post.getTitle());
assertEquals("내용입니다.", post.getContent());
}
@Test
@DisplayName("글 1개 조회")
void test2(){
//given
Post requestPost = Post.builder()
.title("foo")
.content("bar")
.build();
postRepository.save(requestPost);
//when
PostResponse response = postService.get(requestPost.getId());
//then
Assertions.assertNotNull(response);
assertEquals(1L, postRepository.count());
assertEquals("foo", response.getTitle());
assertEquals("bar", response.getContent());
}
@Test
@DisplayName("글 1페이지 조회")
void test3(){
//given
List<Post> requestPost = IntStream.range(1, 20) //for (int =0; i<30; i++)
.mapToObj(i -> Post.builder()
.title("foo " + i)
.content("bar " + i)
.build())
.collect(Collectors.toList());
postRepository.saveAll(requestPost);
// sql -> select, limit, offset 알아야 함.
// Pageable pageableRequest = PageRequest.of(0, 5, Sort.Direction.DESC, "id");
PostSearch postSearch = PostSearch.builder()
.page(1)
.size(10)
.build();
//when
List<PostResponse> posts = postService.getList(postSearch);
//then
assertEquals(10L, posts.size());
assertEquals("foo 19", posts.get(0).getTitle());
}
@Test
@DisplayName("글 제목 수정")
void test4(){
//given
Post post = Post.builder()
.title("블로그 ")
.content("제이드빌 ")
.build();
postRepository.save(post);
PostEdit postEdit = PostEdit.builder()
.title("블로그 수정")
.content("제이드빌 ")
.build();
//when
postService.edit(post.getId(), postEdit);
//then
Post chengedPost = postRepository.findById(post.getId())
.orElseThrow(() -> new RuntimeException("글이 존재하지 않습니다. id=" + post.getId()));
Assertions.assertEquals("블로그 수정", chengedPost.getTitle());
Assertions.assertEquals("제이드빌 ", chengedPost.getContent());
}
@Test
@DisplayName("글 제목 수정")
void test5(){
//given
Post post = Post.builder()
.title("블로그 ")
.content("제이드빌 ")
.build();
postRepository.save(post);
PostEdit postEdit = PostEdit.builder()
.title("블로그 수정")
.content("부림동 ")
.build();
//when
postService.edit(post.getId(), postEdit);
//then
Post chengedPost = postRepository.findById(post.getId())
.orElseThrow(() -> new RuntimeException("글이 존재하지 않습니다. id=" + post.getId()));
Assertions.assertEquals("블로그 수정", chengedPost.getTitle());
Assertions.assertEquals("부림동 ", chengedPost.getContent());
}
@Test
@DisplayName("게시글 삭제")
void test6(){
//given
Post post = Post.builder()
.title("블로그 ")
.content("제이드빌 ")
.build();
postRepository.save(post);
//when
postService.delete(post.getId());
//then
Assertions.assertEquals(0, postRepository.count());
}
}
//PostControllerTest.java
package com.endofma.blog.controller;
import com.endofma.blog.domain.Post;
import com.endofma.blog.repository.PostRepository;
import com.endofma.blog.request.PostCreate;
import com.endofma.blog.request.PostEdit;
import com.fasterxml.jackson.databind.ObjectMapper;
import org.hamcrest.Matcher;
import org.hamcrest.MatcherAssert;
import org.hamcrest.Matchers;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.DisplayName;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.autoconfigure.web.servlet.AutoConfigureMockMvc;
import org.springframework.boot.test.context.SpringBootTest;
import org.springframework.test.web.servlet.MockMvc;
import java.util.List;
import java.util.stream.Collectors;
import java.util.stream.IntStream;
import static org.junit.jupiter.api.Assertions.assertEquals;
import static org.springframework.http.MediaType.APPLICATION_JSON;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.*;
import static org.springframework.test.web.servlet.result.MockMvcResultHandlers.print;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;
import static org.hamcrest.Matchers.is;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.jsonPath; //이게 맞음
//import static org.springframework.test.web.client.match.MockRestRequestMatchers.jsonPath; 원래 이걸로 했음.
//@WebMvcTest //간단한 웹테스트만 가능. 우린 스프링 전반에 걸쳐 여러 가지를 만들었기 때문에 @SpringBootTest가 필요
@AutoConfigureMockMvc //@WebMvcTest가 없어지면 기존 테스트가 안되므로 @WebMvcTest를 구성하는 애노테이션을 떼내어 붙였다.
@SpringBootTest
class PostControllerTest {
@Autowired
private MockMvc mockMvc; ////Could not autowire. No beans of 'MockMvc' type found.
@Autowired
private PostRepository postRepository; //DB저장 테스트를 위해 주입
@BeforeEach
void clean() {
postRepository.deleteAll();
}
@Test
@DisplayName("/posts 요청시 hello world를 출력한다")
void test() throws Exception {
//given
// PostCreate request = new PostCreate("제목입니다.", "내용입니다.");
PostCreate request = PostCreate.builder()
.title("제목입니다.")
.content("내용입니다.")
.build();
//jackson을 사용하여 객체를 Json 형태로 바꿔준다.(json을 처리해 줌)
ObjectMapper objectMapper = new ObjectMapper();
String json = objectMapper.writeValueAsString(request);
// @Autowired private ObjectMapper objectMapper; 이렇게 주입해서도 쓸 수 있다.
System.out.println(json);
//expected
//기본적으로 Content-Type을 application/json으로 보냄. 예전에는 application/x-www-form-urlencoded를 썼다.
mockMvc.perform(post("/posts")
.contentType(APPLICATION_JSON) //기본값이라 주석처리
// .content("{\"title\": \"제목입니다.\", \"content\": \"내용입니다.\"}") //json 형태로 값 넣어주기
//.content에는 byte나 String만 들어가진다. 따라서 jackson으로 Json변환처리를 하지 않은 request를 넣을 수는 없다.
.content(json) //jackson을 사용하여 json이 된 객체. 클래스에 게터가 존재해야 한다.
)
.andExpect(status().isOk()) //http response 가 200인지
.andExpect(content().string("")) // 내용이 hello world인지
.andDo(print()); //요청에 대한 전반적인 요약을 출력해준다.
}
@Test
@DisplayName("/posts 요청시 title 값은 필수다")
void test2() throws Exception {
//given
PostCreate request = PostCreate.builder()
//.title("제목입니다.")
.content("내용입니다.")
.build();
ObjectMapper objectMapper = new ObjectMapper();
String json = objectMapper.writeValueAsString(request);
//expected
mockMvc.perform(post("/posts")
.contentType(APPLICATION_JSON)
.content(json)
)
.andExpect(status().isBadRequest()) //.OK()
.andExpect(jsonPath("$.code").value("400")) //json 검증
.andExpect(jsonPath("$.message").value("잘못된 요청입니다!"))
// .andExpect(jsonPath("$.validation.title").value("타이틀을 입력하세요!"))
.andDo(print());
}
@Test
@DisplayName("/posts 요청시 DB에 값이 저장된다.")
void test3() throws Exception {
//given
PostCreate request = PostCreate.builder()
.title("제목입니다.")
.content("내용입니다.")
.build();
ObjectMapper objectMapper = new ObjectMapper();
String json = objectMapper.writeValueAsString(request);
//when
mockMvc.perform(post("/posts")
.contentType(APPLICATION_JSON)
.content(json)
)
.andExpect(status().isOk())
.andDo(print());
//then
assertEquals(1L, postRepository.count()); //하나의 값이 있을 거라고 예상. 일치
//DB에 잘 들어갔는지 확인
Post post = postRepository.findAll().get(0); //가장 처음 데이터 가져옴
assertEquals("제목입니다.", post.getTitle());
assertEquals("내용입니다.", post.getContent());
}
@Test
@DisplayName("글 1개 조회")
void test4() throws Exception{
//given
Post post = Post.builder()
.title("123456789012345")
.content("bar")
.build();
System.out.println("post.getId!!1="+ post.getId()); //==null
postRepository.save(post);
System.out.println("post.getId!!2="+ post.getId()); //==1
//expected
mockMvc.perform(get("/posts/{postId}", post.getId())
.contentType(APPLICATION_JSON))
.andExpect(status().isOk())
.andExpect(jsonPath("$.id").value(post.getId()))
.andExpect(jsonPath("$.title").value("1234567890"))
.andExpect(jsonPath("$.content").value("bar"))
.andDo(print());
}
@Test
@DisplayName("글 여러 개 조회")
void test5() throws Exception{
//given
List<Post> requestPost = IntStream.range(1, 20) //for (int =0; i<30; i++)
.mapToObj(i -> Post.builder()
.title("foo " + i)
.content("bar " + i)
.build()).collect(Collectors.toList());
postRepository.saveAll(requestPost);
//expected
// mockMvc.perform(get("/posts?page=1")
mockMvc.perform(get("/posts?page=1&size=10")
// mockMvc.perform(get("/posts?page=1&sort=id,desc&size=5")
//size를 매번 넣어주기 귀찮으면 application.yml에 가서 default-page-size를 설정해 준다.
//보통 현업에서는 10개보기 ,20개 보기 등의 옵션이 없으면 그냥 서버가 주는대로 받기 때문에
//size를 파라미터로 넘기는 경우가 많지는 않다.
.contentType(APPLICATION_JSON))
.andExpect(status().isOk())
.andExpect(jsonPath("$.length()", is(10)))
// .andExpect(jsonPath("$[0].id").value(30))
.andExpect(jsonPath("$[0].title").value("foo 19"))
.andExpect(jsonPath("$[0].content").value("bar 19"))
.andDo(print());
}
@Test
@DisplayName("페이지를 0으로 요청해도 첫 페이지를 가져온다.")
void test6() throws Exception{
//given
List<Post> requestPost = IntStream.range(1, 20) //for (int =0; i<30; i++)
.mapToObj(i -> Post.builder()
.title("foo " + i)
.content("bar " + i)
.build()).collect(Collectors.toList());
postRepository.saveAll(requestPost);
//expected
// mockMvc.perform(get("/posts?page=1")
mockMvc.perform(get("/posts?page=0&size=10")
// mockMvc.perform(get("/posts?page=1&sort=id,desc&size=5")
//size를 매번 넣어주기 귀찮으면 application.yml에 가서 default-page-size를 설정해 준다.
//보통 현업에서는 10개보기 ,20개 보기 등의 옵션이 없으면 그냥 서버가 주는대로 받기 때문에
//size를 파라미터로 넘기는 경우가 많지는 않다.
.contentType(APPLICATION_JSON))
.andExpect(status().isOk())
.andExpect(jsonPath("$.length()", is(10)))
// .andExpect(jsonPath("$[0].id").value(30))
.andExpect(jsonPath("$[0].title").value("foo 19"))
.andExpect(jsonPath("$[0].content").value("bar 19"))
.andDo(print());
}
@Test
@DisplayName("페이지를 0으로 요청해도 첫 페이지를 가져온다.")
void test7() throws Exception{
//given
ObjectMapper objectMapper = new ObjectMapper();
Post post = Post.builder()
.title("블로그 ")
.content("제이드빌 ")
.build();
postRepository.save(post);
PostEdit postEdit = PostEdit.builder()
.title("블로그 수정")
.content("부림동 ")
.build();
//expected
mockMvc.perform(patch("/posts/{postId}", post.getId())
.contentType(APPLICATION_JSON)
.content(objectMapper.writeValueAsString(postEdit)))
.andExpect(status().isOk())
.andDo(print());
}
@Test
@DisplayName("게시글 삭제")
void test8() throws Exception{
//given
Post post = Post.builder()
.title("블로그 ")
.content("제이드빌 ")
.build();
postRepository.save(post);
//expected
mockMvc.perform(delete("/posts/{postId}", post.getId())
.contentType(APPLICATION_JSON))
.andExpect(status().isOk())
.andDo(print());
System.out.println("###" + postRepository.findAll());
if(postRepository.findAll().isEmpty()){
System.out.println("비어있다.");
}
}
}
결과
. ____ _ __ _ _
/\\ / ___'_ __ _ _(_)_ __ __ _ \ \ \ \
( ( )\___ | '_ | '_| | '_ \/ _` | \ \ \ \
\\/ ___)| |_)| | | | | || (_| | ) ) ) )
' |____| .__|_| |_|_| |_\__, | / / / /
=========|_|==============|___/=/_/_/_/
:: Spring Boot :: (v2.7.6)
2023-01-10 22:41:16.438 INFO 5816 --- [ Test worker] c.e.blog.controller.PostControllerTest : Starting PostControllerTest using Java 11.0.12 on DESKTOP-Q7HBM41 with PID 5816 (started by user in D:\personal\blog)
2023-01-10 22:41:16.440 INFO 5816 --- [ Test worker] c.e.blog.controller.PostControllerTest : No active profile set, falling back to 1 default profile: "default"
2023-01-10 22:41:17.510 INFO 5816 --- [ Test worker] .s.d.r.c.RepositoryConfigurationDelegate : Bootstrapping Spring Data JPA repositories in DEFAULT mode.
2023-01-10 22:41:17.605 INFO 5816 --- [ Test worker] .s.d.r.c.RepositoryConfigurationDelegate : Finished Spring Data repository scanning in 80 ms. Found 1 JPA repository interfaces.
2023-01-10 22:41:18.314 INFO 5816 --- [ Test worker] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Starting...
2023-01-10 22:41:18.606 INFO 5816 --- [ Test worker] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Start completed.
2023-01-10 22:41:18.707 INFO 5816 --- [ Test worker] o.hibernate.jpa.internal.util.LogHelper : HHH000204: Processing PersistenceUnitInfo [name: default]
2023-01-10 22:41:18.793 INFO 5816 --- [ Test worker] org.hibernate.Version : HHH000412: Hibernate ORM core version 5.6.14.Final
2023-01-10 22:41:19.093 INFO 5816 --- [ Test worker] o.hibernate.annotations.common.Version : HCANN000001: Hibernate Commons Annotations {5.1.2.Final}
2023-01-10 22:41:19.360 INFO 5816 --- [ Test worker] org.hibernate.dialect.Dialect : HHH000400: Using dialect: org.hibernate.dialect.H2Dialect
2023-01-10 22:41:20.242 INFO 5816 --- [ Test worker] o.h.e.t.j.p.i.JtaPlatformInitiator : HHH000490: Using JtaPlatform implementation: [org.hibernate.engine.transaction.jta.platform.internal.NoJtaPlatform]
2023-01-10 22:41:20.252 INFO 5816 --- [ Test worker] j.LocalContainerEntityManagerFactoryBean : Initialized JPA EntityManagerFactory for persistence unit 'default'
2023-01-10 22:41:21.197 WARN 5816 --- [ Test worker] JpaBaseConfiguration$JpaWebConfiguration : spring.jpa.open-in-view is enabled by default. Therefore, database queries may be performed during view rendering. Explicitly configure spring.jpa.open-in-view to disable this warning
2023-01-10 22:41:21.614 INFO 5816 --- [ Test worker] o.s.b.a.h2.H2ConsoleAutoConfiguration : H2 console available at '/h2-console'. Database available at 'jdbc:h2:mem:blog'
2023-01-10 22:41:22.073 INFO 5816 --- [ Test worker] o.s.b.t.m.w.SpringBootMockServletContext : Initializing Spring TestDispatcherServlet ''
2023-01-10 22:41:22.074 INFO 5816 --- [ Test worker] o.s.t.web.servlet.TestDispatcherServlet : Initializing Servlet ''
2023-01-10 22:41:22.076 INFO 5816 --- [ Test worker] o.s.t.web.servlet.TestDispatcherServlet : Completed initialization in 2 ms
2023-01-10 22:41:22.119 INFO 5816 --- [ Test worker] c.e.blog.controller.PostControllerTest : Started PostControllerTest in 6.176 seconds (JVM running for 8.895)
MockHttpServletRequest:
HTTP Method = DELETE
Request URI = /posts/1
Parameters = {}
Headers = [Content-Type:"application/json;charset=UTF-8"]
Body = null
Session Attrs = {}
Handler:
Type = com.endofma.blog.controller.PostController
Method = com.endofma.blog.controller.PostController#delete(Long)
Async:
Async started = false
Async result = null
Resolved Exception:
Type = null
ModelAndView:
View name = null
View = null
Model = null
FlashMap:
Attributes = null
MockHttpServletResponse:
Status = 200
Error message = null
Headers = []
Content type = null
Body =
Forwarded URL = null
Redirected URL = null
Cookies = []
###[]
비어있다.
2023-01-10 22:41:22.822 INFO 5816 --- [ionShutdownHook] j.LocalContainerEntityManagerFactoryBean : Closing JPA EntityManagerFactory for persistence unit 'default'
2023-01-10 22:41:22.823 INFO 5816 --- [ionShutdownHook] .SchemaDropperImpl$DelayedDropActionImpl : HHH000477: Starting delayed evictData of schema as part of SessionFactory shut-down'
2023-01-10 22:41:22.828 WARN 5816 --- [ionShutdownHook] o.h.engine.jdbc.spi.SqlExceptionHelper : SQL Error: 90121, SQLState: 90121
2023-01-10 22:41:22.828 ERROR 5816 --- [ionShutdownHook] o.h.engine.jdbc.spi.SqlExceptionHelper : Database is already closed (to disable automatic closing at VM shutdown, add ";DB_CLOSE_ON_EXIT=FALSE" to the db URL) [90121-214]
2023-01-10 22:41:22.830 WARN 5816 --- [ionShutdownHook] o.h.engine.jdbc.spi.SqlExceptionHelper : SQL Error: 90121, SQLState: 90121
2023-01-10 22:41:22.830 ERROR 5816 --- [ionShutdownHook] o.h.engine.jdbc.spi.SqlExceptionHelper : Database is already closed (to disable automatic closing at VM shutdown, add ";DB_CLOSE_ON_EXIT=FALSE" to the db URL) [90121-214]
2023-01-10 22:41:22.830 WARN 5816 --- [ionShutdownHook] o.s.b.f.support.DisposableBeanAdapter : Invocation of destroy method failed on bean with name 'entityManagerFactory': org.hibernate.exception.JDBCConnectionException: Unable to release JDBC Connection used for DDL execution
2023-01-10 22:41:22.832 INFO 5816 --- [ionShutdownHook] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Shutdown initiated...
2023-01-10 22:41:22.838 INFO 5816 --- [ionShutdownHook] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Shutdown completed.
BUILD SUCCESSFUL in 22s
4 actionable tasks: 1 executed, 3 up-to-date
PM 10:41:23: Execution finished ':test --tests "com.endofma.blog.controller.PostControllerTest.test8"'.
'Projects > blog' 카테고리의 다른 글
blog12: 예외처리2 (0) | 2023.01.13 |
---|---|
blog12: 예외처리1 (0) | 2023.01.10 |
blog10: 게시글 수정 2 (오류수정, 보충) (0) | 2023.01.09 |
blog10: 게시글 수정 1 (0) | 2023.01.09 |
blog09: 페이징 처리(QueryDSL) 2 (0) | 2023.01.04 |
Comments