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

[1주차 세미나] 선택 구현 과제 #4

Merged
merged 4 commits into from
Oct 12, 2024
Merged

Conversation

choyeongju
Copy link
Member

@choyeongju choyeongju commented Oct 9, 2024

TODO

  • 일기 복구
  • 일기 수정 횟수 하루 2회로 제한
  • application 이 종료되어도 일기가 계속해서 저장
  • 글자수 제한 유지하면서, 이모지 넣기
    [1주차 과제] String 에 대해서 #5

Map<Long, Diary> 형태로 저장소를 구현하고 Diary 객체에 속성 필드값을 추가하는 방법도 있겠지만.. 코드를 너무 많이 건드려야 할 것 같아서 중간고사의 시간 압박 이슈와 약간의 귀찮음 이슈로…

 

삭제된 일기를 복구하는 기능

⭐ ’삭제된 일기’를 저장해두는 별도의 자료구조를 만든다!

private final Map<Long, String> deletedStorage = new ConcurrentHashMap<>();

동작 과정은 다음과 같습니다.

  1. 일기를 delete 할 때, deletedStorage 에 삭제하는 일기를 넣어둔다.
  2. 일기를 restore 할 때, deletedStorage 에서 id 에 해당하는 일기를 remove해서 반환하여 가져온다.

 

일기 수정은 하루에 2번만

⭐  마찬가지로 ’수정 횟수’와 ‘마지막 수정 날짜’ 를 저장해두는 별도의 자료구조를 만든다.

//수정 횟수
private final Map<Long, Integer> patchCount = new ConcurrentHashMap<>();

// 마지막으로 수정한 날짜
private final Map<Long, LocalDate> patchDate = new ConcurrentHashMap<>(); 

동작 과정은 다음과 같습니다.

void patch(final Long id, final String body) {
LocalDate today = LocalDate.now();
LocalDate last = patchDate.getOrDefault(id, today);
if(!today.equals(last)){
patchCount.put(id, 0);
patchDate.put(id, today);
}
int count = patchCount.getOrDefault(id, 0);
if(count >= 2){
throw new LimitEditException();
}
storage.replace(id, body);
patchCount.put(id, count + 1);
patchDate.put(id, today);
}

  1. 일기를 처음 save 할 때는 patchCount=0, patchDate=오늘 입니다.
  2. 일기를 delete 할 때는 patchCount와 patchDate 를 제거해 줍니다.
  3. 일기를 patch 할 때는, 일기의 마지막 수정 날짜가 오늘이 아닐 경우, patchCount를 0으로 다시 초기화시키고 수정 날짜를 오늘로 업데이트 합니다.
  4. 일기의 마지막 수정 날짜가 오늘인 경우, id에 해당하는 일기의 patchCount를 검사하고 수정 횟수가 2회 이상일 경우 예외를 터뜨리고 아니면 수정과 동시에 patchCount를 1 증가시켜 줍니다.

 

application 이 종료되어도 일기가 계속해서 저장되었으면 좋겠어요! (아직 구현 미완료)

⭐ 파일 입출력

 

한 줄 일기의 글자수 제한은 유지하면서, 이모지를 넣을 수 없을까요??

⏩ Grapheme Cluster 란?

여러 개의 코드 포인트로 이루어져 있어도 하나의 시각적 문자로 인식되는 문자열의 단위

이모지나 합성된 문자를 하나의 문자처럼 처리할 수 있다 ( é 는 'e' + 악센트 )

⏩ 구현 방법의 종류

  1. 외부 라이브러리 사용 (ICU4J 등)
    1. 외부 라이브러리 종속성을 추가해야 함
    2. 외부 라이브러리 업데이트가 늦을 시, 처리가 덜 될 지도
  2. 정규식 사용
    1. 새로운 이모지 추가될 시 유니코드 범위 바꿔야..
  3. BreakIterator
  4. 한글, 영어, 숫자, 특수문자를 정규식으로 제외 후 나머지는 다 이모지로 인식
    1. 이 외 다른 나라 문자가 들어오면…

✅ 정규식을 사용해서 구현했습니다.

정규 표현식을 사용하여 유니코드의 Grapheme Cluster 단위로 문자열을 나누거나 계산한다.

public static int countGraphemeClusters(String body) {
String regex = "\\X";
Pattern pattern = Pattern.compile(regex);
Matcher matcher = pattern.matcher(body);
int count = 0;
while (matcher.find()) {
count++;
}
return count;
}

@choyeongju choyeongju self-assigned this Oct 9, 2024
@choyeongju choyeongju changed the title [feat] 1주차 세미나 선택 구현 [1주차 세미나] 선택 구현 과제 Oct 9, 2024
@choyeongju choyeongju merged commit 852759a into seminar1 Oct 12, 2024
@@ -37,4 +37,13 @@ void patchDiary(final String id, final String body) {
throw new IdNotExistException();
}
}

void restoreDiary(final String id) {
final Long diaryId = Long.parseLong(id);

Choose a reason for hiding this comment

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

id 에 숫자가 아닌 값이 들어오는 경우에 대한 검증이 필요해보여요

@@ -12,4 +15,16 @@ public static void validate(final String body){
throw new DiaryBodyLengthException();
}
}

public static int countGraphemeClusters(String body) {

Choose a reason for hiding this comment

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

이거 어디서 호출해요?

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
Projects
None yet
Development

Successfully merging this pull request may close these issues.

6 participants