[Spring&AWS][4-2] 머스테치를 이용하여 게시판 기능 구현하기

kiteB·2022년 3월 17일
0

Spring-AWS

목록 보기
6/13
post-thumbnail

이 글은 책 「스프링 부트와 AWS로 혼자 구현하는 웹 서비스」를 공부하고 정리한 글입니다.

지난 시간에 이어 오늘은 전체 조회 화면과 게시글 수정/삭제 기능을 추가해보겠다.


[ 머스테치로 화면 구성하기 ]

1. 전체 조회 화면 만들기

✅ index.mustache에 목록 출력 코드 추가

{{>layout/header}}
<h1>스프링 부트로 시작하는 웹 서비스 Ver.2</h1>
<div class="col-md-12">
    <div class="row">
        <div class="col-md-6">
            <a href="/post/save" role="button" class="btn btn-primary">글 등록</a>
        </div>
    </div>
    <br>

    <!-- 목록 출력 영역 추가 -->
    <table class="table table-horizontal table-bordered">
        <thead class="thead-strong">
        <tr>
            <th>게시글번호</th>
            <th>제목</th>
            <th>작성자</th>
            <th>최종수정일</th>
        </tr>
        </thead>
        <tbody id="tbody">
        {{#post}}
            <tr>
                <td>{{id}}</td>
                <td><a href="/post/update/{{id}}">{{title}}</a></td>
                <td>{{author}}</td>
                <td>{{modifiedDate}}</td>
            </tr>
        {{/post}}
        </tbody>
    </table>
</div>
{{>layout/footer}} 

머스테치의 문법을 살펴보자.

  • {{#post}}
    • post라는 List를 순회한다. Java의 for문과 같은 역할이다.
  • {{id}} 등의 {{변수명}}
    • List에서 뽑아낸 객체의 필드를 사용한다.

✅ PostRepository

public interface PostRepository extends JpaRepository<Post, Long> {
    @Query("SELECT p FROM Post p ORDER BY p.id DESC")
    List<Post> findAllDesc();
}

SpringDataJpa에서 제공하지 않는 메소드는 이렇게 @Query를 사용한 뒤 쿼리로 작성하면 된다.


✅ PostService

public class PostService {
    ...
    @Transactional(readOnly = true)
    public List<PostListResponseDto> findAllDesc() {
        return postRepository.findAllDesc().stream()
                .map(PostListResponseDto::new)
                .collect(Collectors.toList());
    }

}

findAllDesc 메소드의 @Transactional 어노테이션에 옵션을 하나 추가했다. (readOnly = true)를 주면 트랜잭션 범위는 유지하되, 조회 기능만 남겨두어 조회 속도가 개선된다. 그러므로 등록, 수정, 삭제, 기능이 전혀 없는 서비스 메소드에서 사용하는 것을 추천한다.


✅ PostListResponseDto

@Getter
public class PostListResponseDto {

    private Long id;
    private String title;
    private String author;
    private LocalDateTime modifiedDate;

    public PostListResponseDto(Post entity) {
        this.id = entity.getId();
        this.title = entity.getTitle();
        this.author = entity.getAuthor();
        this.modifiedDate = entity.getModifiedDate();
    }
}

✅ IndexController

public class IndexController {

    private final PostService postService;

    @GetMapping("/")
    public String index() {
    public String index(Model model) {
        model.addAttribute("post", postService.findAllDesc());
        return "index";
    }
}
  • Model
    • 서버 템플릿 엔진에서 사용할 수 있는 객체를 저장할 수 있다.
    • 여기서는 postService.findAllDesc()로 가져온 결과를 postindex.mustache에 전달한다.

✅ 실행 결과

  • localhost:8080 접속 화면

  • 데이터 등록 후 메인 화면

2. 게시글 수정 화면 만들기

✅ 게시글 수정

  • post-update.mustache
{{>layout/header}}

<h1>게시글 수정</h1>

<div class="col-md-12">
    <div class="col-md-4">
        <form>
            <div class="form-group">
                <label for="title">글 번호</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">{{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>
    </div>
</div>

{{>layout/footer}} 
  • {{post.id}}
    • 머스테치는 객체의 필드 접근 시 점(.)으로 구분한다.
    • 즉, Post 클래스의 id에 대한 접근은 post.id로 할 수 있다.
  • readOnly
    • Input 태그에 읽기 가능만 허용하는 속성이다.
    • id와 author는 수정할 수 없도록 읽기만 허용하도록 추가한다.

✅ index.js

btn-update를 클릭하면 update 기능을 호출할 수 있도록 update function을 추가하자.

var main = {
    init : function () {
        var _this = this;
		...

        $('#btn-update').on('click', function () {	//추가
            _this.update();
        });
    },
    save : function () {
	    ...
    },
    update : function () {	//추기
        var data = {
            title: $('#title').val(),
            content: $('#content').val()
        };

        var id = $('#id').val();

        $.ajax({
            type: 'PUT',
            url: '/api/v1/post/'+id,
            dataType: 'json',
            contentType:'application/json; charset=utf-8',
            data: JSON.stringify(data)
        }).done(function() {
            alert('글이 수정되었습니다.');
            window.location.href = '/';
        }).fail(function (error) {
            alert(JSON.stringify(error));
        });
    }
};

main.init(); 
  • $('#btn-update').on('click')
    • btn-update라는 id를 가진 HTML 요소에 click 이벤트가 발생할 때 update function을 실행하도록 이벤트를 등록한다.
  • update : function()
    • 신규로 추가될 update function이다.
  • type: 'PUT'
    • 여러 HTTP Method 중 PUT 메소드를 선택한다.
    • PostApiController에 있는 API에서 이미 @PutMapping으로 선언했기 때문에 PUT을 사용해야 한다.
  • url:'/api/v1/post/'+id
    • 어느 게시글을 수정할지 URL Path로 구분하기 위해 Path에 id를 추가한다.

✅ IndexController

public class IndexController {
    ...
    @GetMapping("/post/update/{id}")
    public String postUpdate(@PathVariable Long id, Model model) {
        PostResponseDto dto = postService.findById(id);
        model.addAttribute("post", dto);

        return "post-update";
    }
}

✅ 실행 결과

  • 수정 전

  • 내용 수정

  • 수정 완료 Alert

  • 수정 후 목록 화면


3. 게시글 삭제 화면 만들기

✅ post-update.mustache

...
<div class="col-md-12">
    <div class="col-md-4">
    ...
	    <button type="button" class="btn btn-danger" id="btn-delete">삭제</button>
	</div>
</div>
{{>layout/footer}}
  • btn-delete
    • 삭제 버튼을 수정 완료 버튼 옆에 추가한다.
    • 해당 버튼 클릭 시 JS에서 이벤트를 수신할 예정이다.

✅ index.js

var main = {
    init : function () {
		...
        $('#btn-delete').on('click', function () {
            _this.delete();
        });
    },
	...
    delete : function () {
        var id = $('#id').val();

        $.ajax({
            type: 'DELETE',
            url: '/api/v1/post/'+id,
            dataType: 'json',
            contentType:'application/json; charset=utf-8'
        }).done(function() {
            alert('글이 삭제되었습니다.');
            window.location.href = '/';
        }).fail(function (error) {
            alert(JSON.stringify(error));
        });
    }
};

main.init(); 

type: 'DELETE'을 제외하면 update function과 크게 다르지 않다.


✅ PostService.java

public class PostService {
	...
    @Transactional
    public void delete(Long id) {
        Post post = postRepository.findById(id)
                .orElseThrow(() -> new IllegalArgumentException("해당 게시글이 없습니다. id = " + id));

        postRepository.delete(post);
    }
}
  • postRepository.delete(post)
    • JpaRepository에서 이미 delete를 지원하고 있으므로 이를 활용한다.
    • 엔티티를 파라미터로 삭제할 수도 있고, deleteById 메소드를 이용하면 id로 삭제할 수도 있다.
    • 존재하는 Post인지 확인하기 위해 엔티티 조회 후 그대로 삭제한다.

✅ PostApiController

public class PostApiController {
	...
    @DeleteMapping("/api/v1/post/{id}")
    public Long delete(@PathVariable Long id) {
        postService.delete(id);
        return id;
    }
}

✅ 실행 결과

  • 삭제 전 목록 화면

  • 첫 번째 게시물 삭제하기

  • 삭제 완료 Alert

  • 삭제 후 목록 화면


이렇게 기본적인 게시판 기능을 완성하였다! 다음 시간에는 로그인 기능을 만들어보도록 하겠다.

profile
🚧 https://coji.tistory.com/ 🏠

0개의 댓글