1.게시글 삭제 버튼과 이벤트 핸들러 추가.
{{>layout/header}}
<h1>게시글 수정</h1>
<div class="col-md-12">
<div class="col-md-4">
<form>
<div class="form-group">
<label for="id">글 번호</label>
<input type="text" class="form-control" id="id" value="{{post.id}}" readonly>
</div>
<div class="form-group">
<label for="title">제목</label>
<input type="text" class="form-control" id="title" value="{{post.title}}">
</div>
<div class="form-group">
<label for="author">작성자</label>
<input type="text" class="form-control" id="author" value="{{post.author}}" readonly>
</div>
<div class="form-group">
<label for="content">내용</label>
<textarea class="form-control" id="content" value="{{post.content}}"></textarea>
</div>
</form>
<a href="/" role="button" class="btn btn-secondary">취소</a>
<button type="button" class="btn btn-primary" id="btn-update">수정완료</button>
<button type="button" class="btn btn-danger" id="btn-delete">삭제</button>
</div>
</div>
{{>layout/footer}}
수정 화면에서 삭제 버튼 추가.
let main = {
init : function () {
let _this = this; //main{}
//save-btn event handler
$('#btn-save').on('click', function (){
_this.save();
});
$('#btn-update').on('click', function (){
_this.update();
});
$('#btn-delete').on('click', function (){
_this.delete();
});
},
...
delete : function (){
let id = $('#id').val();
$.ajax({
type:'delete',
url:'/api/v1/posts/'+id,
dataType:'json',
contentType:'application/json; charset=utf-8'
}).done(function () {
alert('글이 삭제되었습니다.');
window.location.href = '/';
}).fail(function (error){
alert(JSON.stringify(error))
});
}
};
main.init();
이벤트 핸들러 추가해서 게시글 삭제를 요청함
2. 삭제 메서드를 추가하고 컨트롤러에 추가시킨다.
package com.jojoldu.book.springboot.service.posts;
import com.jojoldu.book.springboot.domain.posts.Posts;
import com.jojoldu.book.springboot.domain.posts.PostsRepository;
import com.jojoldu.book.springboot.web.dto.PostsListResponseDto;
import com.jojoldu.book.springboot.web.dto.PostsResponseDto;
import com.jojoldu.book.springboot.web.dto.PostsSaveRequestDto;
import com.jojoldu.book.springboot.web.dto.PostsUpdateRequestDto;
import lombok.RequiredArgsConstructor;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;
import java.util.List;
import java.util.stream.Collectors;
@RequiredArgsConstructor //초기화 되지않은 final 필드나 @notnull이 붙은 필드에 생성자를 생성
@Service
public class PostsService {
private 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) {
System.out.print("아이디는" + id);
Posts entity = postsRepository.findById(id).orElseThrow(() -> new IllegalArgumentException("해당 게시글이 없습니다. id=" + id));
return new PostsResponseDto(entity);
}
@Transactional(readOnly = true)
public List<PostsListResponseDto> findAllDesc(){
return postsRepository.findAllDesc().stream()
.map(PostsListResponseDto::new)
.collect(Collectors.toList());
}
@Transactional
public void delete(Long id){
//게시글 삭제를 하기위해 아이디값을 통해 게시글 찾는다.
Posts posts = postsRepository.findById(id).orElseThrow(()->new IllegalArgumentException("해당 게시글이 없습니다. id="+id));
postsRepository.delete(posts);//jpaRepository 에서 지원해주는 삭제 메서드
}
}
delete 메서드를 추가.
package com.jojoldu.book.springboot.web;
import com.jojoldu.book.springboot.service.posts.PostsService;
import com.jojoldu.book.springboot.web.dto.PostsResponseDto;
import com.jojoldu.book.springboot.web.dto.PostsSaveRequestDto;
import com.jojoldu.book.springboot.web.dto.PostsUpdateRequestDto;
import lombok.RequiredArgsConstructor;
import org.springframework.web.bind.annotation.*;
@RequiredArgsConstructor //초기화 되지않은 final 필드나 @notnull이 붙은 필드에 생성자를 생성
@RestController //Json 형태로 객체 데이터를 반환하기위한 컨트롤러
public class PostApiController {
private final PostsService postsService;
@PostMapping("/api/v1/posts") // @RequestBody 어노테이션을 이용하면 HTTP 요청 Body를 자바 객체로 저장.
public long save(@RequestBody PostsSaveRequestDto requestDto){
return postsService.save(requestDto);
}
@PutMapping("/api/v1/posts/{id}") //기존의 Mapping 정보를 수정하는데 사용.
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);
}
@DeleteMapping("/api/v1/posts/{id}")
public long delete(@PathVariable Long id){
postsService.delete(id);
return id;
}
}
api 컨트롤러에서 삭제메서드를 매핑 시킴.
'Python > Flask' 카테고리의 다른 글
(flask) 나만의 단어장 만들기 (0) | 2021.05.10 |
---|---|
(프로젝트 진행)스팀 게임데이터 크롤링(3) (2) | 2021.05.04 |
(프로젝트 진행)스팀 게임데이터 크롤링(2) (0) | 2021.05.01 |
(프로젝트 진행)스팀 게임데이터 크롤링 (1) (0) | 2021.04.28 |
(프로젝트 진행)스프링부트로 게시글 수정. (0) | 2021.03.28 |