생성, 검색, 수정, 삭제 (CRUD) 4개의 API 만들기

퍼시스턴스 → 서비스 → 컨트롤러 순으로 구현

로그 어노테이션

가장 간단한 로그 방법으로는 System.out.println이 있음 로그를 용도에 따라 나누면 info, debug, warn, error 으로 나눌 수 있음

로그 레벨별로 출력하기 위해서 Slf4j 라이브러리 이용

@Slf4j 어노테이션만 추가하면 됨

Create Todo 구현

Todo 아이템을 생성하기 위한 리포지터리, 서비스, 컨트롤러 구현!

퍼시스턴스 구현

TodoRepository 사용

엔티티 저장을 위해 save 메서드 사용, 새 Todo 리스트 반환을 위해 findByUserId() 메서드 사용한다

서비스 구현

package com.example.demo.service;
import com.example.demo.model.TodoEntity;
import com.example.demo.persistence.TodoRepository;
import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;

import java.util.List;

@Service
@Slf4j
public class TodoService {
    @Autowired
    private TodoRepository repository;

    public List<TodoEntity> create(final TodoEntity entity){
        //검증
        if(entity == null){
            log.warn("Entity cannot be null");
            throw new RuntimeException("Entity cannot be null");
        }
        if(entity.getUserId()==null){
            log.warn("Unknown User");
            throw new RuntimeException("Unknown User");
        }
        //저장
        repository.save(entity);
        log.info("entity id {} is saved",entity.getId());
        return repository.findByUserIdQuery(entity.getUserId());
    }
}