Develop simple board

This commit is contained in:
kimyonghwa
2019-05-09 19:43:48 +09:00
18 changed files with 201 additions and 77 deletions

View File

@@ -6,10 +6,12 @@ import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.boot.web.embedded.tomcat.TomcatServletWebServerFactory; import org.springframework.boot.web.embedded.tomcat.TomcatServletWebServerFactory;
import org.springframework.boot.web.servlet.server.ConfigurableServletWebServerFactory; import org.springframework.boot.web.servlet.server.ConfigurableServletWebServerFactory;
import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Bean;
import org.springframework.data.jpa.repository.config.EnableJpaAuditing;
import org.springframework.security.crypto.factory.PasswordEncoderFactories; import org.springframework.security.crypto.factory.PasswordEncoderFactories;
import org.springframework.security.crypto.password.PasswordEncoder; import org.springframework.security.crypto.password.PasswordEncoder;
import org.springframework.web.client.RestTemplate; import org.springframework.web.client.RestTemplate;
@EnableJpaAuditing
@SpringBootApplication @SpringBootApplication
public class SpringRestApiApplication { public class SpringRestApiApplication {
public static void main(String[] args) { public static void main(String[] args) {

View File

@@ -26,7 +26,7 @@ public class ExceptionAdvice {
@ResponseStatus(HttpStatus.INTERNAL_SERVER_ERROR) @ResponseStatus(HttpStatus.INTERNAL_SERVER_ERROR)
protected CommonResult defaultException(HttpServletRequest request, Exception e) { protected CommonResult defaultException(HttpServletRequest request, Exception e) {
// 예외 처리의 메시지를 MessageSource에서 가져오도록 수정 // 예외 처리의 메시지를 MessageSource에서 가져오도록 수정
return responseService.getFailResult(Integer.valueOf(getMessage("unKnown.code")), getMessage("unKnown.msg")+"("+e.getMessage()+")"); return responseService.getFailResult(Integer.valueOf(getMessage("unKnown.code")), getMessage("unKnown.msg") + "(" + e.getMessage() + ")");
} }
@ExceptionHandler(CUserNotFoundException.class) @ExceptionHandler(CUserNotFoundException.class)
@@ -48,7 +48,7 @@ public class ExceptionAdvice {
} }
@ExceptionHandler(AccessDeniedException.class) @ExceptionHandler(AccessDeniedException.class)
@ResponseStatus(HttpStatus.UNAUTHORIZED) @ResponseStatus(HttpStatus.FORBIDDEN)
public CommonResult accessDeniedException(HttpServletRequest request, AccessDeniedException e) { public CommonResult accessDeniedException(HttpServletRequest request, AccessDeniedException e) {
return responseService.getFailResult(Integer.valueOf(getMessage("accessDenied.code")), getMessage("accessDenied.msg")); return responseService.getFailResult(Integer.valueOf(getMessage("accessDenied.code")), getMessage("accessDenied.msg"));
} }
@@ -65,10 +65,23 @@ public class ExceptionAdvice {
return responseService.getFailResult(Integer.valueOf(getMessage("existingUser.code")), getMessage("existingUser.msg")); return responseService.getFailResult(Integer.valueOf(getMessage("existingUser.code")), getMessage("existingUser.msg"));
} }
@ExceptionHandler(CNotOwnerException.class)
@ResponseStatus(HttpStatus.NON_AUTHORITATIVE_INFORMATION)
public CommonResult notOwnerException(HttpServletRequest request, CNotOwnerException e) {
return responseService.getFailResult(Integer.valueOf(getMessage("notOwner.code")), getMessage("notOwner.msg"));
}
@ExceptionHandler(CResourceNotExistException.class)
@ResponseStatus(HttpStatus.NOT_FOUND)
public CommonResult resourceNotExistException(HttpServletRequest request, CResourceNotExistException e) {
return responseService.getFailResult(Integer.valueOf(getMessage("resourceNotExist.code")), getMessage("resourceNotExist.msg"));
}
// code정보에 해당하는 메시지를 조회합니다. // code정보에 해당하는 메시지를 조회합니다.
private String getMessage(String code) { private String getMessage(String code) {
return getMessage(code, null); return getMessage(code, null);
} }
// code정보, 추가 argument로 현재 locale에 맞는 메시지를 조회합니다. // code정보, 추가 argument로 현재 locale에 맞는 메시지를 조회합니다.
private String getMessage(String code, Object[] args) { private String getMessage(String code, Object[] args) {
return messageSource.getMessage(code, args, LocaleContextHolder.getLocale()); return messageSource.getMessage(code, args, LocaleContextHolder.getLocale());

View File

@@ -0,0 +1,18 @@
package com.rest.api.advice.exception;
public class CNotOwnerException extends RuntimeException {
private static final long serialVersionUID = 2241549550934267615L;
public CNotOwnerException(String msg, Throwable t) {
super(msg, t);
}
public CNotOwnerException(String msg) {
super(msg);
}
public CNotOwnerException() {
super();
}
}

View File

@@ -0,0 +1,15 @@
package com.rest.api.advice.exception;
public class CResourceNotExistException extends RuntimeException {
public CResourceNotExistException(String msg, Throwable t) {
super(msg, t);
}
public CResourceNotExistException(String msg) {
super(msg);
}
public CResourceNotExistException() {
super();
}
}

View File

@@ -5,8 +5,6 @@ import org.springframework.security.access.AccessDeniedException;
import org.springframework.security.web.access.AccessDeniedHandler; import org.springframework.security.web.access.AccessDeniedHandler;
import org.springframework.stereotype.Component; import org.springframework.stereotype.Component;
import javax.servlet.RequestDispatcher;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse; import javax.servlet.http.HttpServletResponse;
import java.io.IOException; import java.io.IOException;
@@ -16,9 +14,7 @@ import java.io.IOException;
public class CustomAccessDeniedHandler implements AccessDeniedHandler { public class CustomAccessDeniedHandler implements AccessDeniedHandler {
@Override @Override
public void handle(HttpServletRequest request, HttpServletResponse response, AccessDeniedException exception) throws IOException, public void handle(HttpServletRequest request, HttpServletResponse response, AccessDeniedException exception) throws IOException {
ServletException { response.sendRedirect("/exception/accessdenied");
RequestDispatcher dispatcher = request.getRequestDispatcher("/exception/accessdenied");
dispatcher.forward(request, response);
} }
} }

View File

@@ -5,8 +5,6 @@ import org.springframework.security.core.AuthenticationException;
import org.springframework.security.web.AuthenticationEntryPoint; import org.springframework.security.web.AuthenticationEntryPoint;
import org.springframework.stereotype.Component; import org.springframework.stereotype.Component;
import javax.servlet.RequestDispatcher;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse; import javax.servlet.http.HttpServletResponse;
import java.io.IOException; import java.io.IOException;
@@ -14,12 +12,8 @@ import java.io.IOException;
@Slf4j @Slf4j
@Component @Component
public class CustomAuthenticationEntryPoint implements AuthenticationEntryPoint { public class CustomAuthenticationEntryPoint implements AuthenticationEntryPoint {
@Override @Override
public void commence(HttpServletRequest request, HttpServletResponse response, AuthenticationException ex) throws IOException, public void commence(HttpServletRequest request, HttpServletResponse response, AuthenticationException ex) throws IOException {
ServletException {
// RequestDispatcher dispatcher = request.getRequestDispatcher("/exception/entrypoint");
// dispatcher.forward(request, response);
response.sendRedirect("/exception/entrypoint"); response.sendRedirect("/exception/entrypoint");
} }
} }

View File

@@ -32,7 +32,7 @@ public class SecurityConfiguration extends WebSecurityConfigurerAdapter {
.and() .and()
.authorizeRequests() // 다음 리퀘스트에 대한 사용권한 체크 .authorizeRequests() // 다음 리퀘스트에 대한 사용권한 체크
.antMatchers("/*/signin", "/*/signin/**", "/*/signup", "/*/signup/**", "/social/**").permitAll() // 가입 및 인증 주소는 누구나 접근가능 .antMatchers("/*/signin", "/*/signin/**", "/*/signup", "/*/signup/**", "/social/**").permitAll() // 가입 및 인증 주소는 누구나 접근가능
.antMatchers(HttpMethod.GET, "/exception/**", "/helloworld/**","/actuator/health", "/v1/board/*", "/v1/board/*/posts").permitAll() // hellowworld로 시작하는 GET요청 리소스는 누구나 접근가능 .antMatchers(HttpMethod.GET, "/exception/**", "/helloworld/**","/actuator/health", "/v1/board/**").permitAll() // hellowworld로 시작하는 GET요청 리소스는 누구나 접근가능
.anyRequest().hasRole("USER") // 그외 나머지 요청은 모두 인증된 회원만 접근 가능 .anyRequest().hasRole("USER") // 그외 나머지 요청은 모두 인증된 회원만 접근 가능
.and() .and()
.exceptionHandling().accessDeniedHandler(new CustomAccessDeniedHandler()) .exceptionHandling().accessDeniedHandler(new CustomAccessDeniedHandler())

View File

@@ -5,7 +5,6 @@ import lombok.Setter;
import lombok.extern.slf4j.Slf4j; import lombok.extern.slf4j.Slf4j;
import org.springframework.stereotype.Controller; import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.GetMapping; import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody; import org.springframework.web.bind.annotation.ResponseBody;
@Slf4j @Slf4j

View File

@@ -3,13 +3,18 @@ package com.rest.api.controller.v1.board;
import com.rest.api.entity.board.Board; import com.rest.api.entity.board.Board;
import com.rest.api.entity.board.Post; import com.rest.api.entity.board.Post;
import com.rest.api.model.board.ParamsPost; import com.rest.api.model.board.ParamsPost;
import com.rest.api.model.response.CommonResult;
import com.rest.api.model.response.ListResult; import com.rest.api.model.response.ListResult;
import com.rest.api.model.response.SingleResult; import com.rest.api.model.response.SingleResult;
import com.rest.api.service.ResponseService; import com.rest.api.service.ResponseService;
import com.rest.api.service.board.BoardService; import com.rest.api.service.board.BoardService;
import io.swagger.annotations.Api; import io.swagger.annotations.Api;
import io.swagger.annotations.ApiImplicitParam;
import io.swagger.annotations.ApiImplicitParams;
import io.swagger.annotations.ApiOperation; import io.swagger.annotations.ApiOperation;
import lombok.RequiredArgsConstructor; import lombok.RequiredArgsConstructor;
import org.springframework.security.core.Authentication;
import org.springframework.security.core.context.SecurityContextHolder;
import org.springframework.web.bind.annotation.*; import org.springframework.web.bind.annotation.*;
import javax.validation.Valid; import javax.validation.Valid;
@@ -24,20 +29,54 @@ public class BoardController {
private final ResponseService responseService; private final ResponseService responseService;
@ApiOperation(value = "게시판 정보 조회", notes = "게시판 정보를 조회한다.") @ApiOperation(value = "게시판 정보 조회", notes = "게시판 정보를 조회한다.")
@GetMapping(value="/{boardName}") @GetMapping(value = "/{boardName}")
public SingleResult<Board> boardInfo(@PathVariable String boardName) { public SingleResult<Board> boardInfo(@PathVariable String boardName) {
return responseService.getSingleResult(boardService.findBoard(boardName)); return responseService.getSingleResult(boardService.findBoard(boardName));
} }
@ApiOperation(value = "게시판 포스트 조회", notes = "게시판의 포스팅 정보를 조회한다.") @ApiOperation(value = "게시판 글 리스트", notes = "게시판의 포스팅 정보를 조회한다.")
@GetMapping(value="/{boardName}/posts") @GetMapping(value = "/{boardName}/posts")
public ListResult<Post> posts(@PathVariable String boardName) { public ListResult<Post> posts(@PathVariable String boardName) {
return responseService.getListResult(boardService.findPosts(boardName)); return responseService.getListResult(boardService.findPosts(boardName));
} }
@ApiOperation(value = "게시판 글쓰기", notes = "게시판에 글을 작성한다.") @ApiImplicitParams({
@PostMapping(value="/{boardName}") @ApiImplicitParam(name = "X-AUTH-TOKEN", value = "로그인 성공 후 access_token", required = true, dataType = "String", paramType = "header")
public SingleResult<Post> post(@PathVariable String boardName, @Valid ParamsPost post) { })
return responseService.getSingleResult(boardService.writePost(boardName, post)); @ApiOperation(value = "게시판 글 작성", notes = "게시판에 글을 작성한다.")
@PostMapping(value = "/{boardName}")
public SingleResult<Post> post(@PathVariable String boardName, @Valid @ModelAttribute ParamsPost post) {
Authentication authentication = SecurityContextHolder.getContext().getAuthentication();
String uid = authentication.getName();
return responseService.getSingleResult(boardService.writePost(uid, boardName, post));
}
@ApiOperation(value = "게시판 글 상세", notes = "게시판 글 상세정보를 조회한다.")
@GetMapping(value = "/post/{postId}")
public SingleResult<Post> post(@PathVariable long postId) {
return responseService.getSingleResult(boardService.getPost(postId));
}
@ApiImplicitParams({
@ApiImplicitParam(name = "X-AUTH-TOKEN", value = "로그인 성공 후 access_token", required = true, dataType = "String", paramType = "header")
})
@ApiOperation(value = "게시판 글 수정", notes = "게시판의 글을 수정한다.")
@PutMapping(value = "/post/{postId}")
public SingleResult<Post> post(@PathVariable long postId, @Valid @ModelAttribute ParamsPost post) {
Authentication authentication = SecurityContextHolder.getContext().getAuthentication();
String uid = authentication.getName();
return responseService.getSingleResult(boardService.updatePost(postId, uid, post));
}
@ApiImplicitParams({
@ApiImplicitParam(name = "X-AUTH-TOKEN", value = "로그인 성공 후 access_token", required = true, dataType = "String", paramType = "header")
})
@ApiOperation(value = "게시판 글 삭제", notes = "게시판의 글을 삭제한다.")
@DeleteMapping(value = "/post/{postId}")
public CommonResult deletePost(@PathVariable long postId) {
Authentication authentication = SecurityContextHolder.getContext().getAuthentication();
String uid = authentication.getName();
boardService.deletePost(postId, uid);
return responseService.getSuccessResult();
} }
} }

View File

@@ -1,7 +1,11 @@
package com.rest.api.entity; package com.rest.api.entity;
import com.fasterxml.jackson.annotation.JsonIgnoreProperties;
import com.fasterxml.jackson.annotation.JsonProperty; import com.fasterxml.jackson.annotation.JsonProperty;
import lombok.*; import lombok.AllArgsConstructor;
import lombok.Builder;
import lombok.Getter;
import lombok.NoArgsConstructor;
import org.springframework.security.core.GrantedAuthority; import org.springframework.security.core.GrantedAuthority;
import org.springframework.security.core.authority.SimpleGrantedAuthority; import org.springframework.security.core.authority.SimpleGrantedAuthority;
import org.springframework.security.core.userdetails.UserDetails; import org.springframework.security.core.userdetails.UserDetails;
@@ -18,10 +22,11 @@ import java.util.stream.Collectors;
@NoArgsConstructor // 인자없는 생성자를 자동으로 생성합니다. @NoArgsConstructor // 인자없는 생성자를 자동으로 생성합니다.
@AllArgsConstructor // 인자를 모두 갖춘 생성자를 자동으로 생성합니다. @AllArgsConstructor // 인자를 모두 갖춘 생성자를 자동으로 생성합니다.
@Table(name = "user") // 'user' 테이블과 매핑됨을 명시 @Table(name = "user") // 'user' 테이블과 매핑됨을 명시
@JsonIgnoreProperties({"hibernateLazyInitializer", "handler"})
public class User implements UserDetails { public class User implements UserDetails {
@Id // pk @Id // pk
@GeneratedValue(strategy = GenerationType.IDENTITY) @GeneratedValue(strategy = GenerationType.IDENTITY)
private long msrl; private Long msrl;
@Column(nullable = false, unique = true, length = 50) @Column(nullable = false, unique = true, length = 50)
private String uid; private String uid;
@JsonProperty(access = JsonProperty.Access.WRITE_ONLY) @JsonProperty(access = JsonProperty.Access.WRITE_ONLY)

View File

@@ -1,36 +1,20 @@
package com.rest.api.entity.board; package com.rest.api.entity.board;
import lombok.Builder; import com.rest.api.entity.common.CommonDateEntity;
import lombok.Getter; import lombok.Getter;
import lombok.NoArgsConstructor; import lombok.NoArgsConstructor;
import org.hibernate.annotations.CreationTimestamp;
import org.hibernate.annotations.UpdateTimestamp;
import javax.persistence.Entity; import javax.persistence.Entity;
import javax.persistence.GeneratedValue; import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType; import javax.persistence.GenerationType;
import javax.persistence.Id; import javax.persistence.Id;
import java.time.LocalDateTime;
@Entity @Entity
@Getter @Getter
@NoArgsConstructor @NoArgsConstructor
public class Board { public class Board extends CommonDateEntity {
@Id @Id
@GeneratedValue(strategy = GenerationType.IDENTITY) @GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id; private Long id;
private String name; private String name;
@CreationTimestamp
private LocalDateTime createdAt;
@UpdateTimestamp
private LocalDateTime modifiedAt;
@Builder
public Board(String name) {
this.name = name;
}
public Post write(String author, String title, String content) {
return new Post(this, author, title, content);
}
} }

View File

@@ -1,34 +1,39 @@
package com.rest.api.entity.board; package com.rest.api.entity.board;
import com.rest.api.entity.User;
import com.rest.api.entity.common.CommonDateEntity;
import lombok.Getter; import lombok.Getter;
import org.hibernate.annotations.CreationTimestamp; import lombok.NoArgsConstructor;
import org.hibernate.annotations.UpdateTimestamp;
import javax.persistence.*; import javax.persistence.*;
import java.time.LocalDateTime;
@Entity @Entity
@Getter @Getter
public class Post { @NoArgsConstructor
public class Post extends CommonDateEntity {
@Id @Id
@GeneratedValue(strategy = GenerationType.IDENTITY) @GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id; private Long id;
private String author; private String author;
private String title; private String title;
private String content; private String content;
@CreationTimestamp private Long boardId;
private LocalDateTime createdAt;
@UpdateTimestamp
private LocalDateTime modifiedAt;
@ManyToOne(fetch = FetchType.LAZY, optional = false)
private Board board;
protected Post() { @ManyToOne(fetch = FetchType.LAZY)
} private User user;
protected Post(Board board, String author, String title, String content) { public Post(User user, Long boardId, String author, String title, String content) {
this.user = user;
this.boardId = boardId;
this.author = author; this.author = author;
this.title = title; this.title = title;
this.content = content; this.content = content;
} }
public Post setUpdate(String author, String title, String content) {
this.author = author;
this.title = title;
this.content = content;
return this;
}
} }

View File

@@ -0,0 +1,20 @@
package com.rest.api.entity.common;
import lombok.Getter;
import org.springframework.data.annotation.CreatedDate;
import org.springframework.data.annotation.LastModifiedDate;
import org.springframework.data.jpa.domain.support.AuditingEntityListener;
import javax.persistence.EntityListeners;
import javax.persistence.MappedSuperclass;
import java.time.LocalDateTime;
@Getter
@MappedSuperclass
@EntityListeners(AuditingEntityListener.class)
public abstract class CommonDateEntity {
@CreatedDate
private LocalDateTime createdAt;
@LastModifiedDate
private LocalDateTime modifiedAt;
}

View File

@@ -1,6 +1,6 @@
package com.rest.api.model.board; package com.rest.api.model.board;
import lombok.Builder; import io.swagger.annotations.ApiModelProperty;
import lombok.Getter; import lombok.Getter;
import lombok.NoArgsConstructor; import lombok.NoArgsConstructor;
import lombok.Setter; import lombok.Setter;
@@ -12,16 +12,12 @@ import javax.validation.constraints.NotEmpty;
@NoArgsConstructor @NoArgsConstructor
public class ParamsPost { public class ParamsPost {
@NotEmpty @NotEmpty
@ApiModelProperty(value = "작성자명", required = true)
private String author; private String author;
@NotEmpty @NotEmpty
@ApiModelProperty(value = "제목", required = true)
private String title; private String title;
@NotEmpty @NotEmpty
@ApiModelProperty(value = "내용", required = true)
private String content; private String content;
@Builder
public ParamsPost(String author, String title, String content) {
this.author = author;
this.title = title;
this.content = content;
}
} }

View File

@@ -1,11 +1,10 @@
package com.rest.api.repo.board; package com.rest.api.repo.board;
import com.rest.api.entity.board.Board;
import com.rest.api.entity.board.Post; import com.rest.api.entity.board.Post;
import org.springframework.data.jpa.repository.JpaRepository; import org.springframework.data.jpa.repository.JpaRepository;
import java.util.List; import java.util.List;
public interface PostJpaRepo extends JpaRepository<Post, Long> { public interface PostJpaRepo extends JpaRepository<Post, Long> {
List<Post> findByBoard(Board board); List<Post> findByBoardId(Long boardId);
} }

View File

@@ -1,16 +1,23 @@
package com.rest.api.service.board; package com.rest.api.service.board;
import com.rest.api.advice.exception.CNotOwnerException;
import com.rest.api.advice.exception.CResourceNotExistException;
import com.rest.api.advice.exception.CUserNotFoundException;
import com.rest.api.entity.User;
import com.rest.api.entity.board.Board; import com.rest.api.entity.board.Board;
import com.rest.api.entity.board.Post; import com.rest.api.entity.board.Post;
import com.rest.api.model.board.ParamsPost; import com.rest.api.model.board.ParamsPost;
import com.rest.api.repo.UserJpaRepo;
import com.rest.api.repo.board.BoardJpaRepo; import com.rest.api.repo.board.BoardJpaRepo;
import com.rest.api.repo.board.PostJpaRepo; import com.rest.api.repo.board.PostJpaRepo;
import lombok.RequiredArgsConstructor; import lombok.RequiredArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import org.springframework.stereotype.Service; import org.springframework.stereotype.Service;
import javax.transaction.Transactional; import javax.transaction.Transactional;
import java.util.List; import java.util.List;
@Slf4j
@Service @Service
@Transactional @Transactional
@RequiredArgsConstructor @RequiredArgsConstructor
@@ -18,6 +25,7 @@ public class BoardService {
private final BoardJpaRepo boardJpaRepo; private final BoardJpaRepo boardJpaRepo;
private final PostJpaRepo postJpaRepo; private final PostJpaRepo postJpaRepo;
private final UserJpaRepo userJpaRepo;
public Board findBoard(String boardName) { public Board findBoard(String boardName) {
return boardJpaRepo.findByName(boardName); return boardJpaRepo.findByName(boardName);
@@ -25,16 +33,35 @@ public class BoardService {
public List<Post> findPosts(String boardName) { public List<Post> findPosts(String boardName) {
Board board = findBoard(boardName); Board board = findBoard(boardName);
return postJpaRepo.findByBoard(board); return postJpaRepo.findByBoardId(board.getId());
} }
private Post getPost(long postId) { public Post getPost(long postId) {
return postJpaRepo.findById(postId).orElse(null); return postJpaRepo.findById(postId).orElseThrow(CResourceNotExistException::new);
} }
public Post writePost(String boardName, ParamsPost paramsPost) { public Post writePost(String uid, String boardName, ParamsPost paramsPost) {
Board board = findBoard(boardName); Board board = findBoard(boardName);
Post post = board.write(paramsPost.getAuthor(), paramsPost.getTitle(), paramsPost.getContent()); Post post = new Post(userJpaRepo.findByUid(uid).orElseThrow(CUserNotFoundException::new), board.getId(), paramsPost.getAuthor(), paramsPost.getTitle(), paramsPost.getContent());
return postJpaRepo.save(post); return postJpaRepo.save(post);
} }
public Post updatePost(long postId, String uid, ParamsPost paramsPost) {
Post post = getPost(postId);
User user = post.getUser();
if (!uid.equals(user.getUid()))
throw new CNotOwnerException();
post.setUpdate(paramsPost.getAuthor(), paramsPost.getTitle(), paramsPost.getContent());
return postJpaRepo.save(post);
}
public boolean deletePost(long postId, String uid) {
Post post = getPost(postId);
User user = post.getUser();
if (!uid.equals(user.getUid()))
throw new CNotOwnerException();
postJpaRepo.delete(post);
return true;
}
} }

View File

@@ -19,3 +19,9 @@ communicationError:
existingUser: existingUser:
code: "-1005" code: "-1005"
msg: "You are an existing member." msg: "You are an existing member."
notOwner:
code: "-1006"
msg: "You are not the owner of this resource."
resourceNotExist:
code: "-1007"
msg: "This resource does not exist."

View File

@@ -19,3 +19,9 @@ communicationError:
existingUser: existingUser:
code: "-1005" code: "-1005"
msg: "이미 가입한 회원입니다. 로그인을 해주십시오." msg: "이미 가입한 회원입니다. 로그인을 해주십시오."
notOwner:
code: "-1006"
msg: "해당 자원의 소유자가 아닙니다."
resourceNotExist:
code: "-1007"
msg: "요청하신 자원이 존재 하지 않습니다."