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

[문자열 덧셈 계산기] 임아정 미션 제출합니다. #578

Open
wants to merge 4 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
34 changes: 33 additions & 1 deletion README.md
Original file line number Diff line number Diff line change
@@ -1 +1,33 @@
# javascript-calculator-precourse
# javascript-calculator-precourse

## 구현할 기능 목록

1. 기본 구분자를 이용한 문자열 파싱

- 입력 문자열에 포함된 쉼표(,) 또는 콜론(:)을 기준으로 숫자 분리
- 빈 문자열이 입력되면 0을 반환

<br/>

2. 숫자 변환 및 합계 계산

- 분리된 각 문자열을 숫자로 변환하고, 유효한 숫자들의 합계 계산
- 숫자가 아닌 값이 포함된 경우 [ERROR] 메시지를 반환하고 프로그램 종료
- 처리한 예외 종류
1. 숫자만 입력된 경우
2. 음수 혹은 구분자가 아닌 문자열을 포함하는 경우

<br/>

3. 커스텀 구분자 처리

- 문자열 앞부분에 "//"와 "\n" 사이에 지정된 문자를 커스텀 구분자로 사용
- 커스텀 구분자를 기준으로 문자열을 분리하고 합계 계산
- 잘못된 형식의 커스텀 구분자가 입력될 경우 [ERROR] 메시지를 반환하고 프로그램 종료

<br/>

4. 입력 유효성 검사

- 입력 값이 null이나 undefined인 경우 0을 반환
- 잘못된 형식에 대해 [ERROR] 메시지를 반환하고 프로그램 종료
78 changes: 77 additions & 1 deletion src/App.js
Original file line number Diff line number Diff line change
@@ -1,5 +1,81 @@
import { Console } from "@woowacourse/mission-utils";

class App {
async run() {}
async run() {
try {
let input = await Console.readLineAsync(
"덧셈할 문자열을 입력해 주세요: "
);

// 입력값이 없는 경우 결과 0 출력
if (!input) {
Console.print("결과 : 0");
return;
}

// 입력값 검증
this.validateInput(input);

// 커스텀 구분자 및 숫자 문자열 추출
const { customPattern, numbersString } = this.extractCustomDivider(input);

// 구분자 패턴 설정 및 숫자 파싱
const seperatorPattern = new RegExp(
`[${customPattern.replace(/[.*+?^${}()|[\]\\]/g, "\\$&")}|,|:]`
);
const numbers = this.parseNumbers(numbersString, seperatorPattern);

// 합계 계산 및 출력
const sum = numbers.reduce((acc, num) => acc + num, 0);
Console.print(`결과 : ${sum}`);
} catch (error) {
Console.print(error.message);
}
}

/* 커스텀 구분자 및 숫자 문자열 추출하는 함수 */
extractCustomDivider(input) {
let customPattern = "";
let numbersString = input;

// 커스텀 구분자 확인
const customCheck = input.startsWith("//") && input.includes("\\n");
if (customCheck) {
const match = input.match(/^\/\/(.*?)\\n/);
if (match) {
customPattern = match[1];
numbersString = input.split("\\n")[1];
}
}

return { customPattern, numbersString };
}

/* 숫자 문자열을 구분자 패턴을 이용하여 파싱하는 함수 */
parseNumbers(input, pattern) {
return input.split(pattern).map((value) => {
// 구분자가 아닌 문자열이나 음수가 입력된 경우 에러 처리
if (isNaN(value)) {
throw new Error("[ERROR] 바르지 않은 문자열이 포함됨");
} else if (Number(value) < 0) {
throw new Error("[ERROR] 음수가 포함됨");
}
return Number(value);
});
}

/* 입력값이 숫자가 아닌 경우 에러 처리하는 함수 */
validateInput(input) {
// 문자열만 입력된 경우
if (/^[^0-9]*$/.test(input)) {
throw new Error("[ERROR] 숫자가 입력되지 않음");
}

// 구분자가 없는 경우 (숫자만 입력된 경우)
if (/^\d+$/.test(input)) {
throw new Error("[ERROR] 구분자가 포함되지 않음");
}
}
}

export default App;