-
Notifications
You must be signed in to change notification settings - Fork 2
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
feat#23/유저 회원가입 로직 작성 #27
Changes from all commits
fc60a05
a56d883
2717746
f5bea88
60842e8
945ba99
4d0cc19
d47cd17
84da1b2
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,26 @@ | ||
package com.wootecam.festivals.domain.member.controller; | ||
|
||
import com.wootecam.festivals.domain.member.dto.MemberCreateDto; | ||
import com.wootecam.festivals.domain.member.service.MemberService; | ||
import lombok.RequiredArgsConstructor; | ||
import org.springframework.http.HttpStatus; | ||
import org.springframework.http.ResponseEntity; | ||
import org.springframework.web.bind.annotation.PostMapping; | ||
import org.springframework.web.bind.annotation.RequestBody; | ||
import org.springframework.web.bind.annotation.RequestMapping; | ||
import org.springframework.web.bind.annotation.RestController; | ||
|
||
@RestController | ||
@RequestMapping("/api/v1/member") | ||
@RequiredArgsConstructor | ||
public class MemberController { | ||
|
||
private final MemberService memberService; | ||
|
||
// 유저 회원가입 | ||
@PostMapping | ||
public ResponseEntity<?> signUpMember(@RequestBody MemberCreateDto memberCreateDto) { | ||
//TODO 공통 응답 클래스 필요ㅌ | ||
return new ResponseEntity<>(memberService.createMember(memberCreateDto), HttpStatus.OK); | ||
} | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 코드 diff를 분석한 결과에 대한 검토 의견을 아래와 같이 제시합니다. 1. 코드 품질과 Java Best Practices
2. 성능 및 효율성
3. API 디자인 및 백엔드 아키텍처
4. 보안 취약점
5. 테스트 커버리지
개선 사항 요약
이러한 수정 사항들을 적용한다면 코드의 품질과 보안성이 향상될 것입니다. |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,13 @@ | ||
package com.wootecam.festivals.domain.member.dto; | ||
|
||
import com.wootecam.festivals.domain.member.entity.Member; | ||
|
||
public record MemberCreateDto(String memberName, String email, String profileImg) { | ||
public Member toEntity() { | ||
return Member.builder() | ||
.memberName(this.memberName) | ||
.email(this.email) | ||
.profileImg(this.profileImg) | ||
.build(); | ||
} | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 코드 차이를 검토하겠습니다. 각 포인트에 대해 개선 제안을 드리겠습니다.
종합적으로 이 코드는 기본적인 구조는 잘 되어 있으나, 유효성 검사 및 보안 강화를 통해 코드 품질을 더욱 높일 수 있습니다..assertj |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,36 @@ | ||
package com.wootecam.festivals.domain.member.entity; | ||
|
||
import com.wootecam.festivals.global.BaseEntity; | ||
import jakarta.persistence.Column; | ||
import jakarta.persistence.Entity; | ||
import jakarta.persistence.GeneratedValue; | ||
import jakarta.persistence.GenerationType; | ||
import jakarta.persistence.Id; | ||
import java.util.Objects; | ||
import lombok.AccessLevel; | ||
import lombok.Builder; | ||
import lombok.Getter; | ||
import lombok.NoArgsConstructor; | ||
|
||
@Entity | ||
@NoArgsConstructor(access = AccessLevel.PROTECTED) | ||
@Getter | ||
public class Member extends BaseEntity { | ||
|
||
@Id | ||
@GeneratedValue(strategy = GenerationType.IDENTITY) | ||
@Column(name = "member_id") | ||
private Long id; | ||
private String memberName; | ||
private String email; | ||
private String profileImg; | ||
private boolean isDeleted; | ||
|
||
@Builder | ||
private Member(String memberName, String email, String profileImg) { | ||
this.memberName = Objects.requireNonNull(memberName, "memberName must be provided."); | ||
this.email = Objects.requireNonNull(email, "email must be provided."); | ||
this.profileImg = profileImg; | ||
this.isDeleted = false; | ||
} | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 코드 리뷰를 진행하겠습니다. 각각의 항목에 대해 개선 방안을 제시하겠습니다. 1. 코드 품질 및 자바 모범 사례
2. 성능 및 효율성
3. API 설계 및 백엔드 아키텍처
4. 보안 취약점
5. 테스트 커버리지
이러한 개선점을 바탕으로 코드를 수정하면 더욱 안전하고 유지보수가 용이한 시스템이 될 것입니다. |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,7 @@ | ||
package com.wootecam.festivals.domain.member.repository; | ||
|
||
import com.wootecam.festivals.domain.member.entity.Member; | ||
import org.springframework.data.jpa.repository.JpaRepository; | ||
|
||
public interface MemberRepository extends JpaRepository<Member, Long> { | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 코드 diff를 검토한 결과, 다음과 같은 사항을 고려할 수 있습니다:
개선 제안 요약:
이러한 개선 방안을 고려하면 코드의 품질과 효율성을提升할 수 있습니다. |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,25 @@ | ||
package com.wootecam.festivals.domain.member.service; | ||
|
||
import com.wootecam.festivals.domain.member.dto.MemberCreateDto; | ||
import com.wootecam.festivals.domain.member.entity.Member; | ||
import com.wootecam.festivals.domain.member.repository.MemberRepository; | ||
import lombok.RequiredArgsConstructor; | ||
import org.springframework.stereotype.Service; | ||
|
||
@Service | ||
@RequiredArgsConstructor | ||
public class MemberService { | ||
private final MemberRepository memberRepository; | ||
|
||
public Member createMember(MemberCreateDto memberCreateDto) { | ||
return memberRepository.save(memberCreateDto.toEntity()); | ||
} | ||
|
||
public Member getMember(Long id) { | ||
return null; | ||
} | ||
|
||
public void deleteMember(Long id) { | ||
|
||
} | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 코드 변경 사항을 검토하면서 제시된 다섯 가지 항목에 대해 다음과 같은 개선 제안을 드리겠습니다.
이러한 개선 사항들을 반영함으로써, 코드를 더욱 견고하고 효율적으로 만들어 갈 수 있을 것입니다. |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,24 @@ | ||
package com.wootecam.festivals.global; | ||
|
||
import jakarta.persistence.Column; | ||
import jakarta.persistence.EntityListeners; | ||
import jakarta.persistence.MappedSuperclass; | ||
import java.time.LocalDateTime; | ||
import lombok.Getter; | ||
import org.springframework.data.annotation.CreatedDate; | ||
import org.springframework.data.annotation.LastModifiedDate; | ||
import org.springframework.data.jpa.domain.support.AuditingEntityListener; | ||
|
||
@MappedSuperclass | ||
@EntityListeners(AuditingEntityListener.class) | ||
@Getter | ||
public abstract class BaseEntity { | ||
|
||
@CreatedDate | ||
@Column(name = "created_at", updatable = false) | ||
private LocalDateTime createdAt; | ||
|
||
@LastModifiedDate | ||
@Column(name = "updated_at") | ||
private LocalDateTime updatedAt; | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 이 코드 차이를 검토한 결과는 다음과 같습니다:
개선 사항:
이러한 점들을 개선하면 코드의 전체적인 품질과 안정성을 높일 수 있습니다. |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,9 @@ | ||
package com.wootecam.festivals.global; | ||
|
||
import org.springframework.context.annotation.Configuration; | ||
import org.springframework.data.jpa.repository.config.EnableJpaAuditing; | ||
|
||
@Configuration | ||
@EnableJpaAuditing | ||
public class JpaConfig { | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 이 코드를 검토하고 각 항목에 대한 개선 사항을 제안하겠습니다.
결론전반적으로 코드 품질은 좋지만, 문서화 및 테스트 커버리지를 한층 강화하는 것이 바람직합니다. 필요한 경우 보안 및 성능 측면에도 더 깊이 있는 검토가 요구됩니다. |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
코드 차이를 검토한 결과는 다음과 같습니다.
코드 품질 및 Java 모범 사례:
querydsl
블록이 제거되었으나, QueryDSL 설정을 이 클래스 내에서 조정하는 것은 좋습니다. 해당 부분을 적절히 주석으로 처리하거나 다른 설정 파일로 옮기면 가독성이 향상될 수 있습니다.성능 및 효율성:
clean.doLast
작업에서 디렉토리를 삭제하는 방식은 괜찮지만, 대량의 파일이 있을 경우 비효율적일 수 있습니다. 이 경우 Java NIO를 사용하는 방법을 고려할 수 있습니다.API 설계 및 백엔드 아키텍처:
보안 취약점:
테스트 커버리지:
jacocoTestReport
를 통해 테스트 커버리지를 어떻게 확보할 것인지명시적으로 작성하는 것이 중요합니다. 백엔드에서의 각 API 동작과 예외 상황을 포함한 테스트 케이스를 추가하는 것을 권장합니다.개선 제안