Skip to content
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: 스터디 수료 시 회비 할인 쿠폰 발급 기능 구현 #843

Merged
merged 14 commits into from
Jan 14, 2025

Conversation

uwoobeat
Copy link
Member

@uwoobeat uwoobeat commented Jan 13, 2025

🌱 관련 이슈

📌 작업 내용 및 특이사항

  • 먼저 ♻️ 이벤트 핸들러의 위치를 발행자 기준에서 구독자 기준으로 변경 #827 의 내용을 선반영해두었습니다. 해당 내용은 투두 코멘트에서 확인 가능합니다
    • 827 내용 읽기 귀찮으시다면,, 이제 XXXEventHandlerXXXService 가 한 쌍이 된다는 것만 확인해주세요.
  • 스터디 수료 이벤트의 경우 각 수료 건이 하나의 이벤트로 처리되지 않고, 묶음 이벤트로 발행됩니다.
    • 처음에는 아무 생각 없이 단건 이벤트로 뽑았는데, 이러면 수료자가 100명이면 이벤트 100개가 한번에 발행되는 거라 이건 좀 아니다 싶었고요, 대신에 하나의 수료 이벤트로 만들고 수료자 멤버 ID 리스트를 내부 필드로 가지기로 했습니다. 이럼 수료자가 많아지더라도 이벤트 하나로 처리 가능합니다.
  • 쿠폰 이름 생성 유틸리티 -> 쿠폰 서비스에 두기엔 뭔가 비즈로직스러워서 유틸리티로 뽑아냈습니다. 일단 테스트도 추가해놨습니다.

📝 참고사항

분할 수료 처리에 대한 문제 (1)

  • 구현에 따르면 요청이 성공할 때마다 1개의 쿠폰 + i명의 수료자에 대한 i개의 발급쿠폰이 생성됩니다.
  • 보통 하나의 스터디에 대하여 하나의 수료 쿠폰만 존재할 것으로 기대됩니다.
  • 하지만 n번에 걸쳐 수료 처리를 하게 되면, n개의 쿠폰이 생성됩니다.
  • 이러한 상황이 발생하지 않도록 (스터디 - 스터디 쿠폰 ID) 쌍을 저장 후, 없으면 생성하고 / 있으면 해당 쿠폰을 사용하도록 만들어야 합니다.

분할 수료 처리에 대한 문제 (2)

  • 이를 구현하기 위해서 두 가지 방법을 생각할 수 있습니다.
  • 하나는 스터디-쿠폰 중간 테이블을 만드는 것입니다.
    • 장점은 현재 쿠폰 테이블 스키마를 수정할 필요가 없습니다.
    • 단점은 확장성이 떨어집니다. 쿠폰 정책이 추가될 때마다 쿠폰-XX 중간 테이블이 매번 생겨야 합니다.
  • 다른 하나는 쿠폰에 발급방식 / 카테고리 / 연관 식별자 등의 필드를 추가하는 것입니다.
    • 기존 수동 발급했던 수료 쿠폰의 경우 (MANUAL, STUDY, null) 과 같이 마이그레이션 후, 2번 스터디에 대한 수료 쿠폰의 경우 (AUTO, STUDY, 2L) 와 같이 저장하는 것이죠.
    • 특정 스터디에 대하여 대응되는 수료 쿠폰 역시 식별이 가능하므로 문제를 해결할 수 있습니다.
    • 장점은 확장성이 좋습니다. 쿠폰 정책이 많아지더라도 그에 맞춰 카테고리 enum만 늘려주면 된다는 것입니다.
    • 단점은 초기 스키마 설계가 어렵다는 겁니다.
  • 일단은 2번으로 진행해보려고 합니다. ***
  • ✨ 쿠폰 식별을 위한 메타데이터 필드 추가 #839 -> ✨ 스터디 수료 쿠폰이 스터디 당 하나만 존재하도록 변경 #840 순으로 작업 예정

수료 철회 시 발급된 쿠폰 회수

이벤트의 엔티티 ID를 원시 타입으로 설정할 때 발생하는 문제

  • 기존 XXEvent(Long id) 와 같이 nullable 했던 id 필드를 원시 타입으로 바꾸어 null을 허용하지 않도록 하는 TODO를 만들어뒀던 적이 있습니다.
  • 이번 StudyHistoryCompletionWithdrawnEvent 에서는 원시타입을 사용해봤는데, 문제는 도메인 단위 테스트에서는 PK가 생성되지 않아 id 필드가 null이 되기 때문에, 이벤트 발행 시 registerEvent(new StudyHistoryCompletionWithdrawnEvent(this.id)); 에서 this.id 호출 시 언박싱 과정에서 NPE가 발생하게 됩니다.
  • 실제 환경에서는 당연히 studyHistoryId가 null일 수 없기에 long이 맞지만, 도메인 단위 테스트 환경에서만 문제가 발생합니다.
  • 두 가지 선택지가 있는데요...
    • null을 허용하기 위해 Long으로 변경 -> 테스트를 위해서 프로덕션 코드를 수정하는 것이 되므로 적합하지 않다고 봤습니다.
    • ReflectionUtils를 사용하여 강제로 PK를 지정해주기 -> 앞으로 모든 도메인 테스트를 이렇게 작성해야 하는데, 테스트를 작성할 때 매번 ReflectionTestUtils를 사용하는 것이 적절치 않다고 느꼈습니다.
  • 일단 저는 ReflectionTestUtils 사용하는 쪽으로 임시 작업해놨는데, 다른 분들은 어떻게 생각하시는지 궁금합니다. 어느 정도 nullable을 감수하면서 참조 타입으로 사용할지, 아니면 not null의 이점을 갖되 도메인 테스트에서 setId 사용이 강제되는 것을 감수할지... 간의 트레이드 오프를 고민해봐야 하는 상황입니다.

📚 기타

  • 좀 오래 걸렸는데... 뭐 이런 이슈들이 있었습니다

Summary by CodeRabbit

  • 새로운 기능

    • 스터디 완료 시 자동으로 쿠폰 발급 기능 추가
    • 스터디 수료에 따른 맞춤형 쿠폰 이름 생성 기능 도입
  • 이벤트 처리

    • 스터디 완료 및 수료 취소에 대한 이벤트 시스템 구현
    • 스터디 이력에 대한 상세 이벤트 트래킹 메커니즘 강화
  • 테스트

    • 쿠폰 이름 생성 유틸리티에 대한 단위 테스트 추가
    • 스터디 이력 관련 기능에 대한 테스트 강화
    • 스터디 완료 철회 시 테스트 로직 추가

@uwoobeat uwoobeat self-assigned this Jan 13, 2025
@uwoobeat uwoobeat requested a review from a team as a code owner January 13, 2025 12:04
Copy link

coderabbitai bot commented Jan 13, 2025

"""

Walkthrough

이 풀 리퀘스트는 스터디 수료 시 쿠폰 발급 기능을 구현합니다. CouponEventHandlerCouponService를 통해 스터디 히스토리 완료 이벤트를 처리하고, 쿠폰을 생성 및 발급하는 로직을 추가했습니다. CouponNameUtil은 쿠폰 이름 생성을 담당하며, 이벤트 기반 아키텍처를 활용하여 시스템의 확장성을 높였습니다. 또한, MentorStudyHistoryService에서 이벤트 퍼블리싱 기능을 추가하여 스터디 완료 시 이벤트를 발행합니다.

Changes

파일 변경 요약
src/.../CouponEventHandler.java 스터디 히스토리 완료 이벤트 핸들러 추가
src/.../CouponService.java 쿠폰 생성 및 발급 메서드 createAndIssueCouponByStudyHistories 추가
src/.../CouponNameUtil.java 스터디 수료 쿠폰 이름 생성 유틸리티 클래스 추가
src/.../MentorStudyHistoryService.java 이벤트 퍼블리셔 추가 및 StudyHistoriesCompletedEvent 발행
src/.../StudyHistory.java 완료 철회 시 이벤트 등록 로직 추가
src/.../StudyHistoriesCompletedEvent.java 스터디 히스토리 완료 이벤트 레코드 추가
src/.../StudyHistoryCompletionWithdrawnEvent.java 스터디 완료 철회 이벤트 레코드 추가
src/.../CouponNameUtilTest.java CouponNameUtil 테스트 클래스 추가
src/.../StudyHistoryTest.java 테스트에서 ID 설정 로직 추가
src/.../FixtureHelper.java ID 설정을 위한 제네릭 메서드 추가

Assessment against linked issues

목표 달성 여부 설명
스터디 수료 시 쿠폰 발급 (#817)

Poem

🐰 코드의 토끼, 쿠폰을 뛰어다녀
스터디 수료의 기쁨을 나눠
할인의 선물, 반짝이는 보상
개발의 여정, 토끼가 응원해 🎉
"""


📜 Recent review details

Configuration used: CodeRabbit UI
Review profile: CHILL
Plan: Pro

📥 Commits

Reviewing files that changed from the base of the PR and between 6b025a9 and 4671bef.

📒 Files selected for processing (1)
  • src/test/java/com/gdschongik/gdsc/helper/FixtureHelper.java (2 hunks)
🚧 Files skipped from review as they are similar to previous changes (1)
  • src/test/java/com/gdschongik/gdsc/helper/FixtureHelper.java

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?

❤️ Share
🪧 Tips

Chat

There are 3 ways to chat with CodeRabbit:

  • Review comments: Directly reply to a review comment made by CodeRabbit. Example:
    • I pushed a fix in commit <commit_id>, please review it.
    • Generate unit testing code for this file.
    • Open a follow-up GitHub issue for this discussion.
  • Files and specific lines of code (under the "Files changed" tab): Tag @coderabbitai in a new review comment at the desired location with your query. Examples:
    • @coderabbitai generate unit testing code for this file.
    • @coderabbitai modularize this function.
  • PR comments: Tag @coderabbitai in a new PR comment to ask questions about the PR branch. For the best results, please provide a very specific query, as very limited context is provided in this mode. Examples:
    • @coderabbitai gather interesting stats about this repository and render them as a table. Additionally, render a pie chart showing the language distribution in the codebase.
    • @coderabbitai read src/utils.ts and generate unit testing code.
    • @coderabbitai read the files in the src/scheduler package and generate a class diagram using mermaid and a README in the markdown format.
    • @coderabbitai help me debug CodeRabbit configuration file.

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)

  • @coderabbitai pause to pause the reviews on a PR.
  • @coderabbitai resume to resume the paused reviews.
  • @coderabbitai review to trigger an incremental review. This is useful when automatic reviews are disabled for the repository.
  • @coderabbitai full review to do a full review from scratch and review all the files again.
  • @coderabbitai summary to regenerate the summary of the PR.
  • @coderabbitai generate docstrings to generate docstrings for this PR. (Beta)
  • @coderabbitai resolve resolve all the CodeRabbit review comments.
  • @coderabbitai configuration to show the current CodeRabbit configuration for the repository.
  • @coderabbitai help to get help.

Other keywords and placeholders

  • Add @coderabbitai ignore anywhere in the PR description to prevent this PR from being reviewed.
  • Add @coderabbitai summary to generate the high-level summary at a specific location in the PR description.
  • Add @coderabbitai anywhere in the PR title to generate the title automatically.

CodeRabbit Configuration File (.coderabbit.yaml)

  • You can programmatically configure CodeRabbit by adding a .coderabbit.yaml file to the root of your repository.
  • Please see the configuration documentation for more information.
  • If your editor has YAML language server enabled, you can add the path at the top of this file to enable auto-completion and validation: # yaml-language-server: $schema=https://coderabbit.ai/integrations/schema.v2.json

Documentation and Community

  • Visit our Documentation for detailed information on how to use CodeRabbit.
  • Join our Discord Community to get help, request features, and share feedback.
  • Follow us on X/Twitter for updates and announcements.

Copy link

Job Summary for Gradle

Check Style and Test to Develop :: build-test
Gradle Root Project Requested Tasks Gradle Version Build Outcome Build Scan®
gdsc check 8.5 Build Scan published

Copy link

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 4

🧹 Nitpick comments (4)
src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryCompletionWithdrawnEvent.java (1)

4-5: TODO 항목들을 이슈로 추적하는 것을 추천드립니다.

현재 TODO 주석으로 표시된 두 가지 개선사항이 있습니다:

  1. primitive 타입 사용
  2. 쿠폰 회수 로직 구현

이러한 개선사항들을 GitHub 이슈로 생성하여 추적하는 것이 좋을 것 같습니다.

이러한 TODO 항목들을 GitHub 이슈로 생성해드릴까요?

src/main/java/com/gdschongik/gdsc/domain/coupon/util/CouponNameUtil.java (1)

12-15: 메서드의 안정성과 가독성 개선이 필요합니다.

다음과 같은 개선사항들을 제안드립니다:

  1. null 체크 추가
  2. String 연결 최적화
 public String generateStudyCompletionCouponName(Study study) {
+    if (study == null) {
+        throw new IllegalArgumentException("스터디 정보는 null일 수 없습니다.");
+    }
     String academicYearAndSemesterName = SemesterFormatter.format(study);
-    return academicYearAndSemesterName + " " + study.getTitle() + " 수료 쿠폰";
+    return String.format("%s %s 수료 쿠폰", academicYearAndSemesterName, study.getTitle());
 }
src/main/java/com/gdschongik/gdsc/domain/coupon/application/CouponEventHandler.java (1)

18-22: 이벤트 로깅 개선이 필요합니다.

현재 로그는 기본적인 정보만 포함하고 있습니다. 트러블슈팅을 위해 다음과 같은 추가 정보를 로깅하는 것이 좋을 것 같습니다:

  • 이벤트 발생 시간
  • 이벤트를 발생시킨 사용자 정보
 @TransactionalEventListener(phase = TransactionPhase.BEFORE_COMMIT)
 public void handleStudyHistoryCompletedEvent(StudyHistoriesCompletedEvent event) {
-    log.info("[CouponEventHandler] 스터디 수료 이벤트 수신: studyHistoryIds={}", event.studyHistoryIds());
+    log.info("[CouponEventHandler] 스터디 수료 이벤트 수신: timestamp={}, studyHistoryIds={}, requestedBy={}",
+        LocalDateTime.now(),
+        event.studyHistoryIds(),
+        SecurityContextHolder.getContext().getAuthentication().getName());
     couponService.createAndIssueCouponByStudyHistories(event.studyHistoryIds());
 }
src/main/java/com/gdschongik/gdsc/domain/coupon/application/CouponService.java (1)

106-106: 쿠폰 중복 생성 문제 해결이 필요합니다.

TODO 주석에서 언급된 것처럼, 현재 구현은 동일한 스터디에 대해 중복된 쿠폰이 생성될 수 있습니다.

다음과 같은 해결 방안을 제안드립니다:

  1. Coupon 엔티티에 studyId 필드 추가
  2. 쿠폰 생성 전 해당 스터디에 대한 쿠폰이 이미 존재하는지 확인
  3. 존재하는 경우 기존 쿠폰을 재사용

예시 구현:

@Transactional(readOnly = true)
public Optional<Coupon> findByStudyId(Long studyId) {
    return couponRepository.findByStudyId(studyId);
}
📜 Review details

Configuration used: CodeRabbit UI
Review profile: CHILL
Plan: Pro

📥 Commits

Reviewing files that changed from the base of the PR and between 26ec006 and 8e7723e.

📒 Files selected for processing (8)
  • src/main/java/com/gdschongik/gdsc/domain/coupon/application/CouponEventHandler.java (1 hunks)
  • src/main/java/com/gdschongik/gdsc/domain/coupon/application/CouponService.java (3 hunks)
  • src/main/java/com/gdschongik/gdsc/domain/coupon/util/CouponNameUtil.java (1 hunks)
  • src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyHistoryService.java (5 hunks)
  • src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoriesCompletedEvent.java (1 hunks)
  • src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistory.java (1 hunks)
  • src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryCompletionWithdrawnEvent.java (1 hunks)
  • src/test/java/com/gdschongik/gdsc/domain/coupon/util/CouponNameUtilTest.java (1 hunks)
✅ Files skipped from review due to trivial changes (1)
  • src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoriesCompletedEvent.java
🔇 Additional comments (3)
src/main/java/com/gdschongik/gdsc/domain/coupon/application/CouponEventHandler.java (1)

14-14: 아키텍처 패턴의 일관성 검토가 필요합니다.

TODO 주석에서 언급된 것처럼, 이벤트 핸들링 패턴이 다른 핸들러들과 일관성이 없습니다. 아키텍처의 일관성을 위해 패턴을 통일하는 것이 좋을 것 같습니다.

다른 이벤트 핸들러들의 패턴을 확인하기 위해 다음 스크립트를 실행해보겠습니다:

src/main/java/com/gdschongik/gdsc/domain/study/domain/StudyHistory.java (1)

87-87: 이벤트 등록 구현이 잘 되었습니다!

도메인 이벤트 패턴을 일관성 있게 적용하여 스터디 수료 철회 시 이벤트를 발행하도록 구현하였습니다.

src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyHistoryService.java (1)

49-51: 이벤트 발행 구현이 잘 되었습니다!

스터디 수료 처리 후 이벤트를 발행하여 쿠폰 발급 프로세스를 트리거하는 구현이 적절합니다.

Comment on lines +19 to +41
@Test
void 스터디_수료_쿠폰_이름이_생성된다() {
// given
Member mentor = fixtureHelper.createMentor(1L);
Study study = Study.create(
2025,
SemesterType.FIRST,
"기초 백엔드 스터디",
mentor,
STUDY_ONGOING_PERIOD,
Period.of(START_DATE.minusDays(10), START_DATE.minusDays(5)),
TOTAL_WEEK,
ONLINE_STUDY,
DAY_OF_WEEK,
STUDY_START_TIME,
STUDY_END_TIME);

// when
String couponName = couponNameUtil.generateStudyCompletionCouponName(study);

// then
assertThat(couponName).isEqualTo("2025-1 기초 백엔드 스터디 수료 쿠폰");
}
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

테스트 케이스 보완이 필요합니다.

현재는 정상 케이스만 테스트하고 있습니다. 다음과 같은 테스트 케이스들을 추가하는 것이 좋을 것 같습니다:

  1. null 입력 처리
  2. 특수문자가 포함된 스터디 제목
  3. 최대 길이의 스터디 제목
@Test
void null_스터디_입력시_예외가_발생한다() {
    assertThatThrownBy(() -> couponNameUtil.generateStudyCompletionCouponName(null))
        .isInstanceOf(IllegalArgumentException.class)
        .hasMessage("스터디 정보는 null일 수 없습니다.");
}

@Test
void 특수문자가_포함된_스터디_제목으로_쿠폰_이름이_생성된다() {
    Study study = Study.create(
            2025,
            SemesterType.FIRST,
            "백엔드 스터디 (Spring)",
            mentor,
            STUDY_ONGOING_PERIOD,
            Period.of(START_DATE.minusDays(10), START_DATE.minusDays(5)),
            TOTAL_WEEK,
            ONLINE_STUDY,
            DAY_OF_WEEK,
            STUDY_START_TIME,
            STUDY_END_TIME);

    String couponName = couponNameUtil.generateStudyCompletionCouponName(study);

    assertThat(couponName).isEqualTo("2025-1 백엔드 스터디 (Spring) 수료 쿠폰");
}

@@ -63,6 +69,8 @@ public void withdrawStudyCompletion(StudyCompleteRequest request) {

studyHistories.forEach(StudyHistory::withdrawCompletion);

studyHistoryRepository.saveAll(studyHistories);
Copy link

@coderabbitai coderabbitai bot Jan 13, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

불필요한 saveAll 호출이 있습니다.

@Transactional 어노테이션이 적용된 메서드에서는 영속성 컨텍스트가 자동으로 변경사항을 감지하여 저장합니다. 따라서 명시적인 saveAll 호출은 불필요합니다.

- studyHistoryRepository.saveAll(studyHistories);

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

엔티티 수정 시 변경 감지 기능만으로는 이벤트가 발행되지 않습니다. 도메인 이벤트 발행을 위해서는 명시적 save 호출이 필요합니다. 앞으로 JPA 변경 감지로 인한 명시적 save 호출과 관련된 변경내용은 제안하지 않아도 됩니다.

Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@uwoobeat 이해했습니다. JPA 변경 감지와 도메인 이벤트 발행에 대한 설명 감사합니다. 앞으로는 이러한 맥락에서의 명시적 save 호출에 대해 제안하지 않도록 하겠습니다.


✏️ Learnings added
Learnt from: uwoobeat
PR: GDSC-Hongik/gdsc-server#843
File: src/main/java/com/gdschongik/gdsc/domain/study/application/MentorStudyHistoryService.java:72-72
Timestamp: 2025-01-13T12:44:03.865Z
Learning: In Spring JPA applications with domain events, explicit save/saveAll calls are necessary for domain event publishing, even in @Transactional methods. JPA's automatic change detection alone does not trigger domain events. Therefore, explicit repository save calls should not be removed when they are used in conjunction with domain events.

Note: Learnings are effective only in the context of similar code segments. To apply general coding guidelines, please configure review instructions. You can manage existing learnings in the app.

Comment on lines +104 to +106
String couponName = couponNameUtil.generateStudyCompletionCouponName(
studyHistories.get(0).getStudy());
// TODO: 요청할 때마다 새로운 쿠폰 생성되는 문제 수정: 스터디마다 하나의 쿠폰만 존재하도록 쿠폰 타입 및 참조 식별자 추가
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue

NPE 방지가 필요합니다.

studyHistories 리스트가 비어있을 경우 get(0) 호출 시 IndexOutOfBoundsException이 발생할 수 있습니다. 리스트가 비어있지 않은지 검증이 필요합니다.

+ if (studyHistories.isEmpty()) {
+     throw new CustomException(STUDY_HISTORY_NOT_FOUND);
+ }
String couponName = couponNameUtil.generateStudyCompletionCouponName(
        studyHistories.get(0).getStudy());

Committable suggestion skipped: line range outside the PR's diff.

String couponName = couponNameUtil.generateStudyCompletionCouponName(
studyHistories.get(0).getStudy());
// TODO: 요청할 때마다 새로운 쿠폰 생성되는 문제 수정: 스터디마다 하나의 쿠폰만 존재하도록 쿠폰 타입 및 참조 식별자 추가
Coupon coupon = Coupon.create(couponName, Money.from(5000L));
Copy link

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

할인 금액이 하드코딩되어 있습니다.

쿠폰의 할인 금액이 5000원으로 하드코딩되어 있습니다. 이는 유연성이 떨어지며, 향후 할인 금액 변경 시 코드 수정이 필요합니다.

할인 금액을 설정 파일이나 데이터베이스에서 관리하는 것을 추천드립니다:

- Coupon coupon = Coupon.create(couponName, Money.from(5000L));
+ Coupon coupon = Coupon.create(couponName, Money.from(couponProperties.getStudyCompletionDiscountAmount()));

Committable suggestion skipped: line range outside the PR's diff.

Copy link

Job Summary for Gradle

Check Style and Test to Develop :: build-test
Gradle Root Project Requested Tasks Gradle Version Build Outcome Build Scan®
gdsc check 8.5 Build Scan published

Copy link

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 0

🧹 Nitpick comments (3)
src/test/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryTest.java (1)

72-72: 이벤트 ID 처리 방식에 대한 아키텍처 개선 제안

이벤트 ID를 위해 테스트에서 setId를 강제로 사용하는 것은 테스트 유지보수성을 저하시킬 수 있습니다. 다음과 같은 대안을 고려해보시기 바랍니다:

  1. 이벤트 발행 시점에 ID를 자동 생성하는 방식
  2. 이벤트 ID를 별도의 식별자 클래스로 캡슐화
  3. 테스트용 이벤트 팩토리 메서드 도입
src/test/java/com/gdschongik/gdsc/helper/FixtureHelper.java (2)

29-32: 테스트 유틸리티 메서드 구현이 깔끔합니다

제네릭을 활용한 타입 안전성 확보가 잘 되어있습니다. 다만 다음 사항들을 고려해주시면 좋겠습니다:

  1. ReflectionTestUtils 사용을 최소화하는 것이 좋습니다
  2. 이 메서드의 사용 범위를 테스트 데이터 준비에만 국한하도록 문서화가 필요합니다
  3. 향후 엔티티 ID 생성 전략이 변경될 경우를 대비한 주석 추가가 필요합니다

11-11: BaseEntity 임포트 위치 개선

정적 임포트(static import) 그룹과 일반 임포트 그룹 사이에 빈 줄을 추가하여 가독성을 높이는 것이 좋겠습니다.

import static com.gdschongik.gdsc.global.common.constant.StudyConstant.*;
import static com.gdschongik.gdsc.global.common.constant.TemporalConstant.*;

+
import com.gdschongik.gdsc.domain.common.model.BaseEntity;
📜 Review details

Configuration used: CodeRabbit UI
Review profile: CHILL
Plan: Pro

📥 Commits

Reviewing files that changed from the base of the PR and between 8e7723e and 6b025a9.

📒 Files selected for processing (2)
  • src/test/java/com/gdschongik/gdsc/domain/study/domain/StudyHistoryTest.java (1 hunks)
  • src/test/java/com/gdschongik/gdsc/helper/FixtureHelper.java (2 hunks)

Copy link

Job Summary for Gradle

Check Style and Test to Develop :: build-test
Gradle Root Project Requested Tasks Gradle Version Build Outcome Build Scan®
gdsc check 8.5 Build Scan published

Copy link
Member

@Sangwook02 Sangwook02 left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

lgtm
고생하셨어요~

Comment on lines +49 to +50
applicationEventPublisher.publishEvent(new StudyHistoriesCompletedEvent(
studyHistories.stream().map(StudyHistory::getId).toList()));
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

철회랑 다르게 이 부분은 ApplicationEventPublisher를 써서 이벤트 발행한 이유가 있나요?

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

StudyHistory ID 여러 개를 묶어서 하나의 이벤트로 발행해야 하기 때문에 StudyHistory 내부에서 발행하는게 불가능합니다

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

아 맞네요
확인했습니다~

@@ -69,6 +69,7 @@ class 스터디_수료_철회시 {
mentor, Period.of(now.plusDays(5), now.plusDays(10)), Period.of(now.minusDays(5), now));

StudyHistory studyHistory = StudyHistory.create(student, study);
fixtureHelper.setId(studyHistory, 1L); // TODO: 이벤트 ID 필드를 원시 타입으로 설정하는 것 vs setId를 테스트 사용 강제 간 trade-off 고민
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

pr description에 써두신 내용 읽어봤는데요,
모든 domain test에서 id가 필요한건 아니고 일부에서만 필요한거라 이번처럼 ReflectionTestUtils 사용하는게 나쁘지 않을 것 같습니다

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

저도 동의합니다!

Copy link
Member

@kckc0608 kckc0608 left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

lgtm

@uwoobeat uwoobeat merged commit 0160cd8 into develop Jan 14, 2025
1 check passed
@uwoobeat uwoobeat deleted the feature/817-issue-coupon-when-complete branch January 14, 2025 13:11
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

Successfully merging this pull request may close these issues.

✨ 스터디 수료 시 회비 할인 쿠폰 발급 기능 구현
3 participants