-
Notifications
You must be signed in to change notification settings - Fork 1
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: 우수 스터디원 지정 및 철회 API 구현 #800
feat: 우수 스터디원 지정 및 철회 API 구현 #800
Conversation
…into feature/788-designate-outsstanding-student
Caution Review failedThe pull request is closed. Walkthrough이 변경 사항은 멘토 스터디에서 우수 학생을 지정하고 철회하는 REST API를 추가하는 것입니다. 새로운 Changes
Assessment against linked issues
Possibly related PRs
Suggested labels
Suggested reviewers
Poem
Thank you for using CodeRabbit. We offer it for free to the OSS community and would appreciate your support in helping us grow. If you find it useful, would you consider giving us a shout-out on your favorite social media? 🪧 TipsChatThere are 3 ways to chat with CodeRabbit:
Note: Be mindful of the bot's finite context window. It's strongly recommended to break down tasks such as reading entire modules into smaller chunks. For a focused discussion, use review comments to chat about specific files and their changes, instead of using the PR comments. CodeRabbit Commands (Invoked using PR comments)
Other keywords and placeholders
CodeRabbit Configuration File (
|
Job Summary for GradleCheck Style and Test to Develop :: build-test
|
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.
Actionable comments posted: 8
🧹 Outside diff range and nitpick comments (11)
src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepository.java (1)
7-7
: 메서드 선언이 적절합니다. 문서화를 개선하면 좋겠습니다.
existsByStudyIdAndStudentIds
메서드는 목적을 명확히 나타내는 이름을 가지고 있으며, 파라미터 타입과 반환 타입이 적절합니다. 이는 PR의 목표인 우수 스터디원 지정 API 구현과 잘 부합합니다.메서드에 JavaDoc 주석을 추가하여 각 매개변수의 의미와 반환값의 의미를 명확히 설명하면 좋겠습니다. 예를 들어:
/** * 주어진 스터디 ID와 학생 ID 목록을 기반으로 스터디 이력의 존재 여부를 확인합니다. * * @param studyId 확인할 스터디의 ID * @param studentIds 확인할 학생들의 ID 목록 * @return 주어진 스터디와 학생들의 이력이 존재하면 true, 그렇지 않으면 false */ boolean existsByStudyIdAndStudentIds(Long studyId, List<Long> studentIds);src/main/java/com/gdschongik/gdsc/domain/study/dto/request/OutstandingStudentRequest.java (1)
1-6
: 코드가 잘 작성되었습니다!레코드를 사용하여 DTO를 구현한 것은 적절한 선택입니다. 이는 불변성을 보장하고 간결한 코드를 제공합니다.
가독성과 유지보수성을 높이기 위해 각 필드에 대한 간단한 JavaDoc 주석을 추가하는 것이 좋습니다. 다음과 같이 수정할 수 있습니다:
/** * 우수 학생 지정 요청을 위한 DTO * * @param studentIds 우수 학생으로 지정할 학생들의 ID 목록 * @param achievementType 성취 유형 */ public record OutstandingStudentRequest(List<Long> studentIds, AchievementType achievementType) {}src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyAchievementCustomRepository.java (1)
10-11
: 새로운 메서드가 잘 추가되었습니다. 문서화를 고려해 보세요.새로 추가된
deleteByStudyAndAchievementTypeAndMemberIds
메서드는 목적에 맞게 잘 설계되었습니다. 메서드 이름이 명확하고 파라미터 타입이 적절합니다.메서드의 목적과 각 파라미터의 역할을 설명하는 JavaDoc 주석을 추가하면 더 좋을 것 같습니다. 예를 들면:
/** * 지정된 스터디, 성취 유형 및 회원 ID에 해당하는 스터디 성취를 삭제합니다. * * @param studyId 삭제할 스터디 성취가 속한 스터디의 ID * @param achievementType 삭제할 성취의 유형 * @param memberIds 삭제할 성취와 관련된 회원들의 ID 목록 */ void deleteByStudyAndAchievementTypeAndMemberIds( Long studyId, AchievementType achievementType, List<Long> memberIds);src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyAchievementCustomRepositoryImpl.java (1)
25-35
: 새로운 메서드가 올바르게 구현되었습니다.
deleteByStudyAndAchievementTypeAndMemberIds
메서드가 요구사항에 맞게 잘 구현되었습니다. Querydsl을 사용하여 효율적으로 삭제 쿼리를 구성하고 있으며, 기존의eqStudyId
메서드를 재사용하여 코드 중복을 방지하고 있습니다.다만, 한 가지 고려할 점이 있습니다:
트랜잭션 관리: 이 메서드에서 명시적인 트랜잭션 관리가 보이지 않습니다. 상위 레벨에서 트랜잭션이 관리되고 있을 수 있지만, 필요하다면 이 메서드에
@Transactional
어노테이션을 추가하는 것을 고려해보세요. 이는 데이터 일관성을 보장하는 데 도움이 될 수 있습니다.src/main/java/com/gdschongik/gdsc/domain/study/api/MentorStudyAchievementController.java (1)
1-40
: 전체적인 평가 및 개선 제안이 컨트롤러는 멘토 스터디에서 우수 학생을 관리하는 기본적인 기능을 잘 구현하고 있습니다. 하지만 다음과 같은 개선 사항을 고려해 보시면 좋겠습니다:
- 응답 코드: 각 작업의 성격에 맞는 HTTP 상태 코드를 사용하세요 (예: 생성 시 201, 삭제 시 204).
- 예외 처리: 다양한 오류 상황에 대응할 수 있는 예외 처리 메커니즘을 구현하세요.
- 입력 유효성 검사: @Valid 어노테이션을 사용하고 있지만, 추가적인 유효성 검사 로직이 필요할 수 있습니다.
- 보안: 현재 코드에서는 보이지 않지만, 적절한 인증 및 권한 검사 메커니즘이 구현되어 있는지 확인하세요.
이러한 개선사항을 적용하면 API의 견고성과 사용성이 크게 향상될 것입니다.
src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidator.java (1)
55-59
: 새로운 메서드가 잘 구현되었습니다.
validateAppliedToStudy
메서드가 PR의 목적에 맞게 잘 구현되었습니다. 이 메서드는 모든 학생이 스터디에 지원했는지 확인하는 중요한 유효성 검사를 수행합니다.가독성을 높이기 위해 메서드 이름을 더 구체적으로 변경하는 것을 고려해 보세요. 예를 들어:
-public void validateAppliedToStudy(boolean isAllAppliedToStudy) { +public void validateAllStudentsAppliedToStudy(boolean isAllAppliedToStudy) {이렇게 하면 메서드의 목적이 더 명확해질 것 같습니다.
src/test/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementServiceTest.java (3)
23-51
: 우수 스터디원 지정 테스트가 잘 구현되었습니다. 추가 테스트 케이스를 고려해보세요.우수 스터디원 지정 테스트가 given-when-then 구조로 잘 작성되어 있습니다. 성공 케이스를 잘 다루고 있습니다. 다음과 같은 추가 테스트 케이스를 고려해보시는 것은 어떨까요?
- 존재하지 않는 학생 ID로 지정 시도
- 이미 우수 스터디원으로 지정된 학생을 다시 지정 시도
- 스터디에 속하지 않은 학생을 지정 시도
- 권한이 없는 사용자(예: 일반 학생)가 지정 시도
이러한 추가 테스트를 통해 서비스의 견고성을 더욱 높일 수 있을 것 같습니다.
53-81
: 우수 스터디원 철회 테스트가 잘 구현되었습니다. 추가 테스트 케이스를 고려해보세요.우수 스터디원 철회 테스트도 given-when-then 구조로 잘 작성되어 있습니다. 성공 케이스를 잘 다루고 있습니다. 다음과 같은 추가 테스트 케이스를 고려해보시는 것은 어떨까요?
- 우수 스터디원으로 지정되지 않은 학생의 철회 시도
- 존재하지 않는 학생 ID로 철회 시도
- 스터디에 속하지 않은 학생의 철회 시도
- 권한이 없는 사용자(예: 일반 학생)가 철회 시도
이러한 추가 테스트를 통해 서비스의 오류 처리 능력을 더욱 강화할 수 있을 것 같습니다.
1-82
: 전반적으로 잘 구현된 테스트 파일입니다. 몇 가지 개선 사항을 제안합니다.이 테스트 파일은 MentorStudyAchievementService에 대한 통합 테스트를 잘 구현하고 있습니다. 테스트 구조가 일관성 있게 작성되어 있고, 적절한 설정과 검증을 사용하고 있습니다. 다만, 다음과 같은 개선 사항을 고려해보시면 좋을 것 같습니다:
- 에러 케이스 테스트 추가: 각 기능에 대해 실패 시나리오를 테스트하여 예외 처리가 올바르게 동작하는지 확인하세요.
- 경계값 테스트: 예를 들어, 최대 허용 가능한 우수 스터디원 수 등의 경계값을 테스트해보세요.
- 매개변수화된 테스트: JUnit의 @ParameterizedTest를 사용하여 다양한 입력값에 대한 테스트를 간결하게 작성할 수 있습니다.
- 테스트 데이터 팩토리: 반복되는 테스트 데이터 생성 로직을 별도의 팩토리 클래스로 분리하여 재사용성을 높이세요.
이러한 개선을 통해 테스트의 품질과 커버리지를 더욱 높일 수 있을 것입니다.
src/test/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidatorTest.java (1)
131-137
: 테스트 메서드의 컨텍스트를 명확히 해주세요.테스트 메서드
해당_스터디를_신청하지_않은_멤버가_있다면_실패한다()
는 중요한 시나리오를 테스트하고 있습니다. 하지만 테스트의 컨텍스트가 명확하지 않습니다.validateAppliedToStudy(false)
에서false
가 의미하는 바를 설명하는 주석이나 설정 코드를 추가하면 테스트의 의도를 더 잘 이해할 수 있을 것 같습니다.다음과 같이 주석을 추가하는 것은 어떨까요?
@Test void 해당_스터디를_신청하지_않은_멤버가_있다면_실패한다() { + // false는 스터디에 신청하지 않은 상태를 나타냅니다. // when & then assertThatThrownBy(() -> studyHistoryValidator.validateAppliedToStudy(false)) .isInstanceOf(CustomException.class) .hasMessage(STUDY_HISTORY_NOT_APPLIED_STUDENT_EXISTS.getMessage()); }
src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementService.java (1)
33-51
: 단위 테스트 추가를 권장합니다새로 추가된 서비스 클래스와 메서드에 대한 단위 테스트를 작성하여 다양한 시나리오에서의 동작을 검증하는 것이 좋습니다. 이를 통해 코드의 안정성과 유지보수성을 향상시킬 수 있습니다.
단위 테스트 작성에 도움이 필요하시면 알려주세요.
Also applies to: 53-68
📜 Review details
Configuration used: CodeRabbit UI
Review profile: CHILL
📒 Files selected for processing (13)
- src/main/java/com/gdschongik/gdsc/domain/study/api/MentorStudyAchievementController.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementService.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyAchievementCustomRepository.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyAchievementCustomRepositoryImpl.java (2 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepository.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepositoryImpl.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryRepository.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidator.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/dto/request/OutstandingStudentRequest.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/global/exception/ErrorCode.java (1 hunks)
- src/test/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementServiceTest.java (1 hunks)
- src/test/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidatorTest.java (1 hunks)
- src/test/java/com/gdschongik/gdsc/helper/IntegrationTest.java (3 hunks)
🧰 Additional context used
🔇 Additional comments (20)
src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepository.java (3)
1-1
: 패키지 선언이 적절합니다.패키지 구조가 Java 명명 규칙을 따르고 있으며, 도메인 계층 내에서 study 도메인과 DAO에 적절하게 위치해 있습니다.
3-3
: import 문이 적절합니다.
java.util.List
의 import는 메서드 파라미터List<Long> studentIds
에 필요하며, 불필요한 import는 없습니다.
5-5
: 인터페이스 선언이 적절합니다.
StudyHistoryCustomRepository
인터페이스는 Spring Data JPA의 사용자 정의 리포지토리 명명 규칙을 따르고 있습니다. 'Custom' 접미사는 이 인터페이스가 주 리포지토리 인터페이스와 별도로 구현될 것임을 나타냅니다.src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyAchievementCustomRepository.java (1)
3-3
: LGTM: 새로운 import 문이 적절히 추가되었습니다.
AchievementType
을 위한 import 문이 올바르게 추가되었습니다. 이는 새로 추가된 메서드에서 사용되는 타입을 위해 필요합니다.src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryRepository.java (1)
12-12
:StudyHistoryCustomRepository
확장 승인
StudyHistoryCustomRepository
를 확장하여 리포지토리의 기능을 향상시킨 것은 좋은 접근 방식입니다. 이를 통해 Spring Data JPA에서 자동 생성할 수 없는 사용자 정의 쿼리 메서드를 추가할 수 있습니다.다음 스크립트를 실행하여
StudyHistoryCustomRepository
인터페이스의 존재와 내용을 확인하세요:✅ Verification successful
StudyHistoryCustomRepository 인터페이스 확인 완료
StudyHistoryCustomRepository.java
파일이 존재하며, 필요한 메서드를 포함하고 있습니다. 또한StudyHistoryRepository
가 이를 올바르게 확장하고 있습니다.🏁 Scripts executed
The following scripts were executed for the analysis:
Script:
#!/bin/bash # StudyHistoryCustomRepository 인터페이스 확인 # 파일 존재 여부 확인 file_path=$(fd -t f StudyHistoryCustomRepository.java) if [ -n "$file_path" ]; then echo "StudyHistoryCustomRepository.java 파일을 찾았습니다: $file_path" echo "파일 내용:" cat "$file_path" else echo "StudyHistoryCustomRepository.java 파일을 찾을 수 없습니다." fi # 인터페이스 사용 확인 echo "StudyHistoryCustomRepository 사용 현황:" rg "StudyHistoryCustomRepository" --type javaLength of output: 1453
src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepositoryImpl.java (4)
1-9
: 패키지 선언 및 임포트 문이 적절합니다.패키지 선언과 필요한 클래스들의 임포트가 올바르게 되어 있습니다. QueryDSL의 정적 임포트와 필요한 다른 클래스들이 잘 임포트되어 있습니다.
10-13
: 클래스 선언과 의존성 주입이 적절합니다.
@RequiredArgsConstructor
어노테이션을 사용하여 생성자 주입을 구현한 것이 좋습니다.JPAQueryFactory
를 final 필드로 선언하여 불변성을 보장한 것도 적절합니다.
15-23
: existsByStudyIdAndStudentIds 메서드 구현이 효율적입니다.이 메서드는 주어진 studyId와 studentIds에 대한 StudyHistory 존재 여부를 효율적으로 확인합니다. 다음과 같은 장점이 있습니다:
- QueryDSL을 사용하여 타입 안전한 쿼리를 작성했습니다.
- 단일 쿼리로 모든 조건을 확인하여 데이터베이스 호출을 최소화했습니다.
- 결과 검증 로직이 간결하고 명확합니다.
25-27
: eqStudyId 헬퍼 메서드가 재사용성을 높입니다.
eqStudyId
메서드를 별도로 분리한 것은 좋은 설계입니다. 이는 코드의 재사용성을 높이고, 향후 유사한 조건이 필요할 때 쉽게 활용할 수 있게 합니다.src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyAchievementCustomRepositoryImpl.java (1)
5-5
: import 문이 적절히 추가되었습니다.
AchievementType
의 import가 올바르게 추가되었습니다. 이는 새로 추가된 메서드의 매개변수 타입으로 사용되므로 필요한 변경사항입니다.src/main/java/com/gdschongik/gdsc/domain/study/api/MentorStudyAchievementController.java (1)
17-21
: 클래스 구조와 어노테이션이 적절합니다.클래스 구조와 어노테이션이 Spring Boot REST 컨트롤러에 적합하게 설정되어 있습니다. Swagger 어노테이션을 사용하여 API 문서화를 제공하는 것도 좋은 방식입니다.
src/test/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementServiceTest.java (1)
1-17
: LGTM: 파일 구조와 임포트가 적절합니다.파일 구조가 잘 정리되어 있고, 필요한 클래스들이 올바르게 임포트되어 있습니다. IntegrationTest를 상속받아 더 큰 테스트 스위트의 일부임을 나타내고 있어 좋습니다.
src/test/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidatorTest.java (1)
128-138
: 새로운 테스트 케이스가 잘 추가되었습니다.새로 추가된
스터디_수강신청_여부_확인시
중첩 클래스와 그 안의 테스트 메서드해당_스터디를_신청하지_않은_멤버가_있다면_실패한다()
는 기존 코드 스타일과 일관성을 유지하면서 중요한 시나리오를 테스트하고 있습니다. 이는StudyHistoryValidator
의 테스트 커버리지를 향상시키는 좋은 추가사항입니다.src/main/java/com/gdschongik/gdsc/global/exception/ErrorCode.java (1)
127-127
: 새로운 에러 코드가 적절히 추가되었습니다.새로운 에러 코드
STUDY_HISTORY_NOT_APPLIED_STUDENT_EXISTS
가 적절하게 추가되었습니다. 이 에러 코드는 스터디에 신청하지 않은 멤버가 있는 경우를 처리하는 데 사용될 것으로 보입니다.HttpStatus.CONFLICT
를 사용한 것은 이러한 비즈니스 로직 충돌에 적합합니다. 메시지도 명확하고 설명적입니다.src/test/java/com/gdschongik/gdsc/helper/IntegrationTest.java (4)
33-41
: 새로운 import 문이 적절히 추가되었습니다.StudyAchievementRepository, StudyHistoryRepository, AchievementType, StudyAchievement, StudyHistory에 대한 새로운 import 문이 추가되었습니다. 이는 클래스에 추가된 새로운 필드와 메서드를 위해 필요한 것으로 보입니다.
89-94
: 새로운 필드가 적절히 추가되었습니다.studyHistoryRepository와 studyAchievementRepository라는 두 개의 새로운 필드가 추가되었습니다. 이 필드들은 @Autowired 어노테이션으로 올바르게 주입되고 있습니다. 이는 새로 추가된 메서드들에서 사용될 것으로 보입니다.
276-279
: createStudyHistory 메서드가 적절히 구현되었습니다.새로 추가된 createStudyHistory 메서드는 Member와 Study를 매개변수로 받아 StudyHistory 인스턴스를 생성하고 저장합니다. 이 메서드는 기존의 헬퍼 메서드 패턴을 따르고 있으며, 테스트에서 StudyHistory 인스턴스를 쉽게 생성하고 저장할 수 있게 해줍니다.
281-285
: createStudyAchievement 메서드가 적절히 구현되었습니다.새로 추가된 createStudyAchievement 메서드는 Member, Study, AchievementType을 매개변수로 받아 StudyAchievement 인스턴스를 생성하고 저장합니다. 이 메서드는 기존의 헬퍼 메서드 패턴을 따르고 있으며, 테스트에서 StudyAchievement 인스턴스를 쉽게 생성하고 저장할 수 있게 해줍니다.
src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementService.java (2)
49-50
: 로그에 개인 정보 노출 주의로그 메시지에
studentIds
와 같은 민감한 정보가 포함되어 있습니다. 로그에 개인 식별 정보를 남기는 것은 보안상의 위험이 있으므로, 필요한 경우 최소한의 정보만 기록하거나 데이터를 마스킹하는 것이 좋습니다.[security]
제안된 수정:
- log.info( - "[MentorStudyAchievementService] 우수 스터디원 지정: studyId={}, studentIds={}", studyId, request.studentIds()); + log.info( + "[MentorStudyAchievementService] 우수 스터디원 지정: studyId={}, 지정된 학생 수={}", studyId, request.studentIds().size());
66-67
: 로그에 개인 정보 노출 주의
withdrawOutstandingStudent
메서드에서도 동일하게studentIds
가 로그에 노출되고 있습니다. 앞서 언급한 보안상의 이유로 민감한 정보의 노출을 피하는 것이 좋습니다.[security]
제안된 수정:
- log.info( - "[MentorStudyAchievementService] 우수 스터디원 철회: studyId={}, studentIds={}", studyId, request.studentIds()); + log.info( + "[MentorStudyAchievementService] 우수 스터디원 철회: studyId={}, 철회된 학생 수={}", studyId, request.studentIds().size());
package com.gdschongik.gdsc.domain.study.dao; | ||
|
||
import static com.gdschongik.gdsc.domain.study.domain.QStudyHistory.*; | ||
|
||
import com.querydsl.core.types.dsl.BooleanExpression; | ||
import com.querydsl.jpa.impl.JPAQueryFactory; | ||
import java.util.List; | ||
import lombok.RequiredArgsConstructor; | ||
|
||
@RequiredArgsConstructor | ||
public class StudyHistoryCustomRepositoryImpl implements StudyHistoryCustomRepository { | ||
|
||
private final JPAQueryFactory queryFactory; | ||
|
||
@Override | ||
public boolean existsByStudyIdAndStudentIds(Long studyId, List<Long> studentIds) { | ||
Long count = queryFactory | ||
.select(studyHistory.count()) | ||
.from(studyHistory) | ||
.where(eqStudyId(studyId), studyHistory.student.id.in(studentIds)) | ||
.fetchOne(); | ||
return count != null && count == studentIds.size(); | ||
} | ||
|
||
private BooleanExpression eqStudyId(Long studyId) { | ||
return studyHistory.study.id.eq(studyId); | ||
} | ||
} |
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.
🛠️ Refactor suggestion
전반적으로 우수한 구현이지만, 몇 가지 고려사항이 있습니다.
이 구현은 전체적으로 잘 작성되었습니다. 그러나 다음 사항들을 고려해 보시기 바랍니다:
- 대량의 studentIds를 처리할 때의 성능을 고려해 보세요. 필요하다면 배치 처리를 구현할 수 있습니다.
- 예외 처리: 잘못된 입력(예: null 값)에 대한 처리를 추가하는 것이 좋을 수 있습니다.
- 로깅: 디버깅을 위해 주요 지점에 로그를 추가하는 것을 고려해 보세요.
- 테스트: 이 구현에 대한 단위 테스트를 작성하여 다양한 시나리오를 검증하는 것이 좋습니다.
이러한 개선사항들을 구현하는 데 도움이 필요하시면 말씀해 주세요.
@Operation(summary = "우수 스터디원 지정", description = "우수 스터디원으로 지정합니다.") | ||
@PostMapping | ||
public ResponseEntity<Void> designateOutstandingStudent( | ||
@RequestParam(name = "studyId") Long studyId, @Valid @RequestBody OutstandingStudentRequest request) { | ||
mentorStudyAchievementService.designateOutstandingStudent(studyId, request); | ||
return ResponseEntity.ok().build(); | ||
} |
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.
🛠️ Refactor suggestion
에러 처리 및 응답 코드 개선 제안
메서드 구조는 적절하지만, 다음과 같은 개선사항을 고려해 보시기 바랍니다:
- 성공 시 201 Created 응답을 반환하는 것이 더 적절할 수 있습니다.
- 예외 처리를 추가하여 다양한 오류 상황에 대응하는 것이 좋습니다.
다음과 같이 코드를 수정해 보세요:
@PostMapping
public ResponseEntity<Void> designateOutstandingStudent(
@RequestParam(name = "studyId") Long studyId, @Valid @RequestBody OutstandingStudentRequest request) {
mentorStudyAchievementService.designateOutstandingStudent(studyId, request);
- return ResponseEntity.ok().build();
+ return ResponseEntity.status(HttpStatus.CREATED).build();
}
또한, 전역 예외 처리기를 구현하여 다양한 예외 상황에 대응하는 것을 고려해 보세요.
📝 Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
@Operation(summary = "우수 스터디원 지정", description = "우수 스터디원으로 지정합니다.") | |
@PostMapping | |
public ResponseEntity<Void> designateOutstandingStudent( | |
@RequestParam(name = "studyId") Long studyId, @Valid @RequestBody OutstandingStudentRequest request) { | |
mentorStudyAchievementService.designateOutstandingStudent(studyId, request); | |
return ResponseEntity.ok().build(); | |
} | |
@Operation(summary = "우수 스터디원 지정", description = "우수 스터디원으로 지정합니다.") | |
@PostMapping | |
public ResponseEntity<Void> designateOutstandingStudent( | |
@RequestParam(name = "studyId") Long studyId, @Valid @RequestBody OutstandingStudentRequest request) { | |
mentorStudyAchievementService.designateOutstandingStudent(studyId, request); | |
return ResponseEntity.status(HttpStatus.CREATED).build(); | |
} |
@Operation(summary = "우수 스터디원 철회", description = "우수 스터디원 지정을 철회합니다.") | ||
@DeleteMapping | ||
public ResponseEntity<Void> withdrawOutstandingStudent( | ||
@RequestParam(name = "studyId") Long studyId, @Valid @RequestBody OutstandingStudentRequest request) { | ||
mentorStudyAchievementService.withdrawOutstandingStudent(studyId, request); | ||
return ResponseEntity.ok().build(); | ||
} |
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.
🛠️ Refactor suggestion
에러 처리 및 응답 코드 개선 제안
이 메서드도 이전 메서드와 유사한 개선이 필요합니다:
- 성공적인 삭제 후 204 No Content 응답을 반환하는 것이 더 적절할 수 있습니다.
- 예외 처리를 추가하여 다양한 오류 상황에 대응하는 것이 좋습니다.
다음과 같이 코드를 수정해 보세요:
@DeleteMapping
public ResponseEntity<Void> withdrawOutstandingStudent(
@RequestParam(name = "studyId") Long studyId, @Valid @RequestBody OutstandingStudentRequest request) {
mentorStudyAchievementService.withdrawOutstandingStudent(studyId, request);
- return ResponseEntity.ok().build();
+ return ResponseEntity.noContent().build();
}
또한, 전역 예외 처리기를 구현하여 다양한 예외 상황(예: 존재하지 않는 studyId)에 대응하는 것을 고려해 보세요.
📝 Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
@Operation(summary = "우수 스터디원 철회", description = "우수 스터디원 지정을 철회합니다.") | |
@DeleteMapping | |
public ResponseEntity<Void> withdrawOutstandingStudent( | |
@RequestParam(name = "studyId") Long studyId, @Valid @RequestBody OutstandingStudentRequest request) { | |
mentorStudyAchievementService.withdrawOutstandingStudent(studyId, request); | |
return ResponseEntity.ok().build(); | |
} | |
@Operation(summary = "우수 스터디원 철회", description = "우수 스터디원 지정을 철회합니다.") | |
@DeleteMapping | |
public ResponseEntity<Void> withdrawOutstandingStudent( | |
@RequestParam(name = "studyId") Long studyId, @Valid @RequestBody OutstandingStudentRequest request) { | |
mentorStudyAchievementService.withdrawOutstandingStudent(studyId, request); | |
return ResponseEntity.noContent().build(); | |
} |
public void designateOutstandingStudent(Long studyId, OutstandingStudentRequest request) { | ||
Member currentMember = memberUtil.getCurrentMember(); | ||
Study study = studyRepository.getById(studyId); | ||
boolean isAllAppliedToStudy = | ||
studyHistoryRepository.existsByStudyIdAndStudentIds(studyId, request.studentIds()); | ||
|
||
studyValidator.validateStudyMentor(currentMember, study); | ||
studyHistoryValidator.validateAppliedToStudy(isAllAppliedToStudy); | ||
|
||
List<Member> outstandingStudents = memberRepository.findAllById(request.studentIds()); | ||
List<StudyAchievement> studyAchievements = outstandingStudents.stream() | ||
.map(member -> StudyAchievement.create(member, study, request.achievementType())) | ||
.toList(); | ||
studyAchievementRepository.saveAll(studyAchievements); | ||
|
||
log.info( | ||
"[MentorStudyAchievementService] 우수 스터디원 지정: studyId={}, studentIds={}", studyId, request.studentIds()); | ||
} |
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.
🛠️ Refactor suggestion
중복된 코드의 리팩토링을 고려하세요
designateOutstandingStudent
와 withdrawOutstandingStudent
메서드에서 유사한 로직이 반복되고 있습니다. 공통되는 로직을 별도의 메서드로 추출하여 코드의 중복을 줄이고 가독성을 향상시킬 수 있습니다.
예시로, 공통되는 검증 로직을 메서드로 추출할 수 있습니다:
private Study validateStudyAndMentor(Long studyId) {
Member currentMember = memberUtil.getCurrentMember();
Study study = studyRepository.findById(studyId)
.orElseThrow(() -> new EntityNotFoundException("해당 스터디를 찾을 수 없습니다. studyId: " + studyId));
studyValidator.validateStudyMentor(currentMember, study);
return study;
}
private void validateAllStudentsApplied(Long studyId, List<Long> studentIds) {
long appliedStudentCount = studyHistoryRepository.countByStudyIdAndStudentIds(studyId, studentIds);
boolean isAllAppliedToStudy = appliedStudentCount == studentIds.size();
studyHistoryValidator.validateAppliedToStudy(isAllAppliedToStudy);
}
그리고 각 메서드에서 이를 활용합니다:
public void designateOutstandingStudent(Long studyId, OutstandingStudentRequest request) {
- Member currentMember = memberUtil.getCurrentMember();
- Study study = studyRepository.getById(studyId);
+ Study study = validateStudyAndMentor(studyId);
- boolean isAllAppliedToStudy =
- studyHistoryRepository.existsByStudyIdAndStudentIds(studyId, request.studentIds());
- studyHistoryValidator.validateAppliedToStudy(isAllAppliedToStudy);
+ validateAllStudentsApplied(studyId, request.studentIds());
// 이하 생략
}
Also applies to: 54-68
@Transactional | ||
public void designateOutstandingStudent(Long studyId, OutstandingStudentRequest request) { | ||
Member currentMember = memberUtil.getCurrentMember(); | ||
Study study = studyRepository.getById(studyId); |
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.
getById
대신 findById
사용을 권장합니다.
getById
메서드는 엔티티가 존재하지 않을 경우 EntityNotFoundException
을 발생시킬 수 있습니다. 이는 런타임 예외로서 예외 처리가 누락될 수 있습니다. findById
를 사용하여 Optional
을 반환받고, 엔티티가 존재하지 않을 경우에 대한 예외 처리를 명시적으로 하는 것이 더 안전합니다.
제안된 수정 코드:
- Study study = studyRepository.getById(studyId);
+ Study study = studyRepository.findById(studyId)
+ .orElseThrow(() -> new EntityNotFoundException("해당 스터디를 찾을 수 없습니다. studyId: " + studyId));
📝 Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
Study study = studyRepository.getById(studyId); | |
Study study = studyRepository.findById(studyId) | |
.orElseThrow(() -> new EntityNotFoundException("해당 스터디를 찾을 수 없습니다. studyId: " + studyId)); |
src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementService.java
Outdated
Show resolved
Hide resolved
boolean isAllAppliedToStudy = | ||
studyHistoryRepository.existsByStudyIdAndStudentIds(studyId, request.studentIds()); |
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.
모든 학생들이 스터디에 적용되었는지 정확한 검증이 필요합니다
위와 동일하게, withdrawOutstandingStudent
메서드에서도 모든 studentIds
가 스터디에 적용되었는지 정확히 검증해야 합니다.
제안된 수정:
- boolean isAllAppliedToStudy =
- studyHistoryRepository.existsByStudyIdAndStudentIds(studyId, request.studentIds());
+ long appliedStudentCount = studyHistoryRepository.countByStudyIdAndStudentIds(studyId, request.studentIds());
+ boolean isAllAppliedToStudy = appliedStudentCount == request.studentIds().size();
📝 Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
boolean isAllAppliedToStudy = | |
studyHistoryRepository.existsByStudyIdAndStudentIds(studyId, request.studentIds()); | |
long appliedStudentCount = studyHistoryRepository.countByStudyIdAndStudentIds(studyId, request.studentIds()); | |
boolean isAllAppliedToStudy = appliedStudentCount == request.studentIds().size(); |
boolean isAllAppliedToStudy = | ||
studyHistoryRepository.existsByStudyIdAndStudentIds(studyId, request.studentIds()); |
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.
모든 학생들이 스터디에 적용되었는지 정확한 검증이 필요합니다
existsByStudyIdAndStudentIds
메서드는 전달된 studentIds
중 하나라도 존재하면 true
를 반환할 수 있습니다. 이는 요청한 모든 학생들이 스터디에 적용되었는지를 확인하는 데 부적절할 수 있습니다. 모든 학생들이 적용되었는지 확인하려면 실제로 적용된 학생 수를 비교하는 방법이 좋습니다.
제안된 수정:
- boolean isAllAppliedToStudy =
- studyHistoryRepository.existsByStudyIdAndStudentIds(studyId, request.studentIds());
+ long appliedStudentCount = studyHistoryRepository.countByStudyIdAndStudentIds(studyId, request.studentIds());
+ boolean isAllAppliedToStudy = appliedStudentCount == request.studentIds().size();
📝 Committable suggestion
‼️ IMPORTANT
Carefully review the code before committing. Ensure that it accurately replaces the highlighted code, contains no missing lines, and has no issues with indentation. Thoroughly test & benchmark the code to ensure it meets the requirements.
boolean isAllAppliedToStudy = | |
studyHistoryRepository.existsByStudyIdAndStudentIds(studyId, request.studentIds()); | |
long appliedStudentCount = studyHistoryRepository.countByStudyIdAndStudentIds(studyId, request.studentIds()); | |
boolean isAllAppliedToStudy = appliedStudentCount == request.studentIds().size(); |
private final JPAQueryFactory queryFactory; | ||
|
||
@Override | ||
public boolean existsByStudyIdAndStudentIds(Long studyId, List<Long> studentIds) { |
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.
인자로 넘긴 student id 리스트와 count가 일치하는지 비교하는 메서드로 보입니다.
일반적으로 exists
쿼리 메서드가 존재 여부를 확인하는 쿼리를 실행할 것으로 예상되는데,
해당 메서드는 실질적으로 count 쿼리를 발생시키고 있는데 exists 네이밍을 사용하고 있어 혼동이 있을 것으로 보입니다.
레포지터리에서는 count를 받아오고, validator 내부에서 이 count와 비교하여 예외를 발생시키는 로직을 사용하면 어떨까요?
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.
lgtm
Job Summary for GradleCheck Style and Test to Develop :: build-test
|
Job Summary for GradleCheck Style and Test to Develop :: build-test
|
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.
Actionable comments posted: 1
🧹 Outside diff range and nitpick comments (4)
src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepository.java (2)
5-5
: 인터페이스 선언이 명확합니다. 문서화를 고려해 보세요.
StudyHistoryCustomRepository
인터페이스의 이름이 그 목적을 잘 나타내고 있습니다. Spring Data JPA의 사용자 정의 리포지토리 기능과 함께 사용될 것으로 보입니다.인터페이스의 목적과 사용 방법을 설명하는 JavaDoc 주석을 추가하면 더 좋을 것 같습니다. 예를 들면:
/** * Custom repository interface for StudyHistory entities. * Provides additional query methods not covered by standard Spring Data JPA repositories. */ public interface StudyHistoryCustomRepository { // ... existing code ... }
7-7
: 메서드 선언이 명확합니다. 문서화를 개선해 보세요.
countByStudyIdAndStudentIds
메서드의 이름과 파라미터, 반환 타입이 그 목적에 잘 부합합니다.메서드에 대한 JavaDoc 주석을 추가하여 사용 목적과 파라미터, 반환값에 대한 설명을 제공하면 좋을 것 같습니다. 예를 들면:
/** * Counts the number of study history records for a given study and list of student IDs. * * @param studyId the ID of the study * @param studentIds the list of student IDs to count records for * @return the number of matching study history records */ Long countByStudyIdAndStudentIds(Long studyId, List<Long> studentIds);src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepositoryImpl.java (2)
10-13
: 클래스 수준 문서화 추가 제안이 클래스의 목적과 책임을 명확히 하기 위해 클래스 수준의 JavaDoc 주석을 추가하는 것이 좋겠습니다. 이는 코드의 가독성과 유지보수성을 향상시킬 것입니다.
다음과 같은 JavaDoc을 추가하는 것을 고려해보세요:
/** * StudyHistory에 대한 사용자 정의 리포지토리 구현체입니다. * 이 클래스는 StudyHistory 엔티티에 대한 복잡한 쿼리를 처리합니다. */ @RequiredArgsConstructor public class StudyHistoryCustomRepositoryImpl implements StudyHistoryCustomRepository { // ... 기존 코드 ... }
24-26
: 헬퍼 메서드 문서화 제안
eqStudyId
메서드는 간단하고 명확하게 구현되어 있습니다. 하지만 코드의 가독성과 유지보수성을 더욱 향상시키기 위해 메서드 수준의 문서화를 추가하는 것이 좋겠습니다.다음과 같은 JavaDoc을 추가하는 것을 고려해보세요:
/** * 주어진 스터디 ID와 일치하는 BooleanExpression을 생성합니다. * * @param studyId 비교할 스터디 ID * @return 스터디 ID와 일치하는 조건을 나타내는 BooleanExpression */ private BooleanExpression eqStudyId(Long studyId) { return studyHistory.study.id.eq(studyId); }이렇게 문서화를 추가하면 메서드의 목적과 반환값을 명확히 이해할 수 있습니다.
📜 Review details
Configuration used: CodeRabbit UI
Review profile: CHILL
📒 Files selected for processing (5)
- src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementService.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepository.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepositoryImpl.java (1 hunks)
- src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidator.java (1 hunks)
- src/test/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidatorTest.java (1 hunks)
🚧 Files skipped from review as they are similar to previous changes (3)
- src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyAchievementService.java
- src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidator.java
- src/test/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryValidatorTest.java
🧰 Additional context used
🔇 Additional comments (3)
src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepository.java (2)
1-1
: 패키지 선언이 적절합니다.패키지 이름이 Java 명명 규칙을 따르고 있으며, 인터페이스의 목적에 맞게 domain.study.dao 계층에 적절히 위치해 있습니다.
3-3
: import 문이 적절합니다.
java.util.List
의 import는 메서드 파라미터List<Long> studentIds
에 필요하며, 불필요한 import는 없습니다.src/main/java/com/gdschongik/gdsc/domain/study/dao/StudyHistoryCustomRepositoryImpl.java (1)
1-27
: 전체적인 구현 평가
StudyHistoryCustomRepositoryImpl
클래스의 구현은 전반적으로 잘 되어 있습니다. Querydsl을 사용하여 효율적인 쿼리를 작성하고 있으며, 코드 구조도 깔끔합니다. 다만 다음과 같은 개선 사항을 고려해 보시면 좋겠습니다:
- 클래스 및 메서드 수준의 문서화 추가
- 매개변수에 대한 null 체크 및 유효성 검사 추가
- 대량의 데이터 처리를 위한 배치 처리 구현
- 로깅 추가 (디버깅 및 모니터링을 위해)
이러한 개선사항들을 적용하면 코드의 가독성, 유지보수성, 그리고 성능이 더욱 향상될 것입니다.
전반적으로 좋은 구현이지만, 위 제안사항들을 검토하고 적용해 보시기 바랍니다.
@Override | ||
public Long countByStudyIdAndStudentIds(Long studyId, List<Long> studentIds) { | ||
return queryFactory | ||
.select(studyHistory.count()) | ||
.from(studyHistory) | ||
.where(eqStudyId(studyId), studyHistory.student.id.in(studentIds)) | ||
.fetchOne(); | ||
} |
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.
🛠️ Refactor suggestion
메서드 구현 개선 제안
countByStudyIdAndStudentIds
메서드의 구현이 전반적으로 잘 되어 있습니다. 다음과 같은 개선 사항을 고려해 보시기 바랍니다:
- 메서드 수준의 JavaDoc을 추가하여 메서드의 목적, 매개변수, 반환값을 명확히 설명하세요.
studyId
와studentIds
에 대한 null 체크를 추가하여 견고성을 높이세요.- 대량의
studentIds
를 처리할 때의 성능을 고려하세요. 필요하다면 배치 처리를 구현할 수 있습니다.
다음과 같은 개선된 구현을 고려해보세요:
/**
* 주어진 스터디 ID와 학생 ID 목록에 해당하는 스터디 히스토리 레코드 수를 반환합니다.
*
* @param studyId 조회할 스터디의 ID
* @param studentIds 조회할 학생들의 ID 목록
* @return 매칭되는 스터디 히스토리 레코드의 수
* @throws IllegalArgumentException studyId가 null이거나 studentIds가 null 또는 비어있는 경우
*/
@Override
public Long countByStudyIdAndStudentIds(Long studyId, List<Long> studentIds) {
if (studyId == null || studentIds == null || studentIds.isEmpty()) {
throw new IllegalArgumentException("studyId와 studentIds는 null이 아니어야 하며, studentIds는 비어있지 않아야 합니다.");
}
// 대량의 studentIds를 처리하기 위한 배치 처리 (예: 1000개씩)
final int batchSize = 1000;
long totalCount = 0;
for (int i = 0; i < studentIds.size(); i += batchSize) {
List<Long> batch = studentIds.subList(i, Math.min(studentIds.size(), i + batchSize));
Long batchCount = queryFactory
.select(studyHistory.count())
.from(studyHistory)
.where(eqStudyId(studyId), studyHistory.student.id.in(batch))
.fetchOne();
totalCount += batchCount != null ? batchCount : 0;
}
return totalCount;
}
이 구현은 null 체크를 추가하고, 대량의 studentIds
를 배치로 처리하여 성능을 개선합니다.
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.
lgtm
|
||
public interface StudyHistoryCustomRepository { | ||
|
||
Long countByStudyIdAndStudentIds(Long studyId, List<Long> studentIds); |
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.
굳이 nullable한 Long을 쓸 필요는 없을 것 같습니다
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.
이거 아마 카운트 쓰면 long말고 Long 반환해서 이렇게 했던 것 같은데 내일 다시 확인해볼게요
Job Summary for GradleCheck Style and Test to Develop :: build-test
|
Job Summary for GradleCheck Style and Test to Develop :: build-test
|
🌱 관련 이슈
📌 작업 내용 및 특이사항
📝 참고사항
📚 기타
Summary by CodeRabbit
새로운 기능
버그 수정
테스트