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

[로또] 박소희 미션 제출합니다. #166

Open
wants to merge 19 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
46 changes: 46 additions & 0 deletions docs/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,46 @@
# 미션 - 로또

## 🚀 기능 요구 사항

로또 게임 기능을 구현해야 한다. 로또 게임은 아래와 같은 규칙으로 진행된다.

-[x] 구매급액 입력받기
-[x] 로또 번호의 숫자 범위는 1~45까지이다.
-[x] 1개의 로또를 발행할 때 중복되지 않는 6개의 숫자를 뽑는다.
-[x] 당첨 번호 추첨 시 중복되지 않는 숫자 6개와 보너스 번호 1개를 뽑는다.
-[x] 일치하는 롯도 번호 개수를 구한다.
-[x] 당첨은 1등부터 5등까지 있다. 당첨 기준과 금액은 아래와 같다.
-[x] 로또 구입 금액을 입력하면 구입 금액에 해당하는 만큼 로또를 발행해야 한다.
-[x] 로또 1장의 가격은 1,000원이다.
-[x] 당첨 번호 입력받는다.
-[x]보너스 번호를 입력받는다.
-[x]사용자가 구매한 로또 번호와 당첨 번호를 비교하여 당첨 내역 및 수익률을 출력하고 로또 게임을 종료한다.
-[x] 사용자가 잘못된 값을 입력할 경우 `IllegalArgumentException`를 발생시키고, "[ERROR]"로 시작하는 에러 메시지를 출력 후 그 부분부터 입력을 다시 받는다. `Exception`이 아닌 `IllegalArgumentException`, `IllegalStateException` 등과 같은 명확한 유형을 처리한다.

### 추가된 요구 사항

-[ ] 함수(또는 메서드)의 길이가 15라인을 넘어가지 않도록 구현한다.
- 함수(또는 메서드)가 한 가지 일만 잘 하도록 구현한다.
-[ ] else를 지양한다.
- 힌트: if 조건절에서 값을 return하는 방식으로 구현하면 else를 사용하지 않아도 된다.
- 때로는 if/else, when문을 사용하는 것이 더 깔끔해 보일 수 있다. 어느 경우에 쓰는 것이 적절할지 스스로 고민해 본다.
-[x] Enum 클래스를 적용해 프로그래밍을 구현한다.
-[x] 도메인 로직에 단위 테스트를 구현해야 한다. 단, UI(System.out, System.in, Scanner) 로직은 제외한다.
- 핵심 로직을 구현하는 코드와 UI를 담당하는 로직을 분리해 구현한다.
- 단위 테스트 작성이 익숙하지 않다면 `test/kotlin/lotto/LottoTest`를 참고하여 학습한 후 테스트를 구현한다.
-[x] `camp.nextstep.edu.missionutils`에서 제공하는 `Randoms` 및 `Console` API를 사용하여 구현해야 한다.
- Random 값 추출은 `camp.nextstep.edu.missionutils.Randoms`의 `pickUniqueNumbersInRange()`를 활용한다.
- 사용자가 입력하는 값은 `camp.nextstep.edu.missionutils.Console`의 `readLine()`을 활용한다.
-[x] 제공된 `Lotto` 클래스를 활용해 구현해야 한다.

## MVC모델 활용

### Model
- [x] Lotto 클래스에 번호 저장

### View
- [x] 메시지 출력

### Controller
- [x] LottoController : 숫자 입력 받은 것 처리 및 게임 실행
- [x] 사용자에게 숫자 입력 받기
6 changes: 5 additions & 1 deletion src/main/kotlin/lotto/Application.kt
Original file line number Diff line number Diff line change
@@ -1,5 +1,9 @@
package lotto

import lotto.Controller.LottoController

fun main() {
TODO("프로그램 구현")
val lottoController = LottoController()
lottoController.startGame()

}
131 changes: 131 additions & 0 deletions src/main/kotlin/lotto/Controller/LottoController.kt
Original file line number Diff line number Diff line change
@@ -0,0 +1,131 @@
package lotto.Controller

import lotto.View.LottoView
import camp.nextstep.edu.missionutils.Randoms
import camp.nextstep.edu.missionutils.Console

class LottoController {
private val lottoView = LottoView()

enum class LottoPrize(val sameCount: Int, val prizeMoney: Int, val prizeName: String) {
threeSame(3, 5000, "3개 일치"),
fourSame(4, 50000, "4개 일치"),
fiveSame(5, 1500000, "5개 일치"),
fiveSamePlusBonus(5, 30000000, "5개 일치, 보너스 볼 일치"),
sixSame(6, 2000000000, "6개 일치")
}

fun startGame() {
try {
val inputMoney = lottoMoneyInput()
val count = lottoCnt(inputMoney)
val lottoList = lottoNumberLimit(count)
lottoView.printLottoNumbers(count, lottoList)

val lottoNumber = lottoNumberChoose()
val bonusNumber = lottoNumberBonus()

val result = lottoNumberCheck(lottoList, lottoNumber, bonusNumber)
lottoView.printResult(result, count)
} catch (e: IllegalArgumentException) {
lottoView.printMessage("[ERROR] ${e.message}")
startGame()
}
}

private fun lottoMoneyInput(): Int {
val message = "구입금액을 입력해 주세요."
return readIntFromConsole(message)
}

private fun readIntFromConsole(message: String): Int {
while (true) {
try {
lottoView.printMessage(message)
val input = Console.readLine().toInt()
if (input % 1000 != 0) {
throw IllegalArgumentException("1000원 단위로 입력해 주세요.")
}
return input
} catch (e: NumberFormatException) {
lottoView.printMessage("[ERROR] 숫자를 입력해 주세요.")
} catch (e: IllegalArgumentException) {
lottoView.printMessage("[ERROR] ${e.message}")
}
}
}

private fun lottoCnt(inputMoney: Int): Int {
return inputMoney / 1000
}

private fun lottoNumberLimit(count: Int): List<List<Int>> {
val comLottoList = mutableListOf<List<Int>>()
repeat(count) {
val numbers = Randoms.pickUniqueNumbersInRange(1, 45, 6)
comLottoList.add(numbers)
}
return comLottoList
}

private fun lottoNumberChoose(): List<Int> {
val message = "당첨 번호를 입력해 주세요."
return readNumbersFromConsole(message, 6)
}

private fun lottoNumberBonus(): Int {
val message = "\n보너스 번호를 입력해 주세요."
return readNumbersFromConsole(message, 1)[0]
}

private fun readNumbersFromConsole(message: String, expectedSize: Int): List<Int> {
while (true) {
try {
lottoView.printMessage(message)
val input = Console.readLine()
val numbers = input.split(",").map { it.trim().toInt() }
if (numbers.size != expectedSize) {
throw IllegalArgumentException("입력한 숫자의 개수가 올바르지 않습니다.")
}
if (numbers.toSet().size != expectedSize) {
throw IllegalArgumentException("중복되는 번호가 있습니다.")
}
if (numbers.any { it < 1 || it > 45 }) {
throw IllegalArgumentException("[ERROR] 로또 번호는 1부터 45 사이의 값이어야 합니다.")
}
return numbers
} catch (e: NumberFormatException) {
lottoView.printMessage("[ERROR] 숫자를 입력해 주세요.")
} catch (e: IllegalArgumentException) {
lottoView.printMessage("[ERROR] ${e.message}")
}
}
}

private fun lottoNumberCheck(lottoList: List<List<Int>>, comNumber: List<Int>, bonusNumber: Int): Map<String, Int> {
val lottoMoneyList = mutableMapOf<String, Int>()
lottoMoneyList["3개 일치"] = 0
lottoMoneyList["4개 일치"] = 0
lottoMoneyList["5개 일치"] = 0
lottoMoneyList["5개 일치, 보너스 볼 일치"] = 0
lottoMoneyList["6개 일치"] = 0

for (lotto in lottoList) {
val sameNumber = lotto.filter { it in comNumber }.size
when (sameNumber) {
3 -> lottoMoneyList["3개 일치"] = lottoMoneyList.getOrDefault("3개 일치", 0) + 1
4 -> lottoMoneyList["4개 일치"] = lottoMoneyList.getOrDefault("4개 일치", 0) + 1
5 -> {
if (lotto.contains(bonusNumber)) {
lottoMoneyList["5개 일치, 보너스 볼 일치"] =
lottoMoneyList.getOrDefault("5개 일치, 보너스 볼 일치", 0) + 1
} else {
lottoMoneyList["5개 일치"] = lottoMoneyList.getOrDefault("5개 일치", 0) + 1
}
}
6 -> lottoMoneyList["6개 일치"] = lottoMoneyList.getOrDefault("6개 일치", 0) + 1
}
}
return lottoMoneyList
}
}
9 changes: 0 additions & 9 deletions src/main/kotlin/lotto/Lotto.kt

This file was deleted.

27 changes: 27 additions & 0 deletions src/main/kotlin/lotto/Model/Lotto.kt
Original file line number Diff line number Diff line change
@@ -0,0 +1,27 @@
package lotto.Model

class Lotto(private val numbers: List<Int>) {
init {
require(numbers.size == 6) { "로또 번호는 6개여야 합니다." }
require(numbers.toSet().size == 6) { "로또 번호에 중복된 숫자가 있습니다." }
require(numbers.all { it in 1..45 }) { "로또 번호는 1부터 45 사이의 값이어야 합니다." }
}

fun getNumbers(): List<Int> {
return numbers
}

fun lottoNumberCheck(winningNumbers: List<Int>, bonusNumber: Int): String {
val matchedNumbers = numbers.filter { it in winningNumbers }
val matchingCount = matchedNumbers.size
return when (matchingCount) {
3 -> "3개 일치"
4 -> "4개 일치"
5 -> {
if (numbers.contains(bonusNumber)) "5개 일치, 보너스 볼 일치" else "5개 일치"
}
6 -> "6개 일치"
else -> "꽝"
}
}
}
45 changes: 45 additions & 0 deletions src/main/kotlin/lotto/View/LottoView.kt
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
package lotto.View

import lotto.Controller.LottoController

class LottoView {
fun printMessage(message: String) {
println(message)
}

fun printLottoNumbers(lottoCount: Int, lottoList: List<List<Int>>) {
printMessage("\n${lottoCount}개를 구매했습니다.")
lottoList.forEach { lotto ->
printMessage(lotto.sorted().joinToString(", ", "[", "]"))
}
println()
}

fun printResult(result: Map<String, Int>, lottoCount: Int) {
printMessage("\n당첨 통계")
printMessage("---")
var totalPrize = 0
val prizeMoney = mapOf(
"3개 일치" to 5000,
"4개 일치" to 50000,
"5개 일치" to 1500000,
"5개 일치, 보너스 볼 일치" to 30000000,
"6개 일치" to 2000000000
)
for ((key, value) in result) {
val prize = when (key) {
"5개 일치" -> if (result[LottoController.LottoPrize.fiveSamePlusBonus.prizeName] == 0) "1,500,000원" else "30,000,000원"
else -> "${prizeMoney[key]?.let { "%,d".format(it) }}원"
}
printMessage("$key ($prize) - $value 개")
totalPrize += if (key == "5개 일치") {
if (result[LottoController.LottoPrize.fiveSamePlusBonus.prizeName] == 0) prizeMoney["5개 일치"]!! * value else prizeMoney["5개 일치, 보너스 볼 일치"]!! * value
} else {
prizeMoney[key]!! * value
}
}
val inputMoney = lottoCount * 1000
val rateOfReturn = ((totalPrize - inputMoney) / inputMoney.toDouble() * 100).coerceAtLeast(0.0)
printMessage("총 수익률은 ${"%,.1f".format(rateOfReturn)}%입니다.")
}
}
1 change: 1 addition & 0 deletions src/test/kotlin/lotto/LottoTest.kt
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
package lotto

import lotto.Model.Lotto
import org.junit.jupiter.api.Test
import org.junit.jupiter.api.assertThrows

Expand Down