code stringlengths 41 34.3k | lang stringclasses 8
values | review stringlengths 1 4.74k |
|---|---|---|
@@ -1,7 +1,20 @@
package lotto;
+import lotto.config.Configuration;
+import lotto.controller.BuyLottoController;
+import lotto.controller.LottoController;
+import lotto.dto.BuyLottoDto;
+
public class Application {
public static void main(String[] args) {
- // TODO: ํ๋ก๊ทธ๋จ ๊ตฌํ
+ Configuration configuration = new Configuration();
+ LottoController lottoController = configuration.getLottoController();
+ BuyLottoController buyLottoController = configuration.getBuyLottoController();
+ executeControllers(buyLottoController, lottoController);
+ }
+
+ private static void executeControllers(BuyLottoController buyLottoController, LottoController lottoController) {
+ BuyLottoDto buyLottoDto = buyLottoController.buyLotto();
+ lottoController.getStatistics(buyLottoDto);
}
} | Java | ์.. ๋ง์์ ์ ๋ ์ด ๋ถ๋ถ์ด ๋ง์ด ๊ฑธ๋ ธ์ด์. ํ์ง๋ง ๋ชจ๋ํ ํ๋ฉด ํ ์๋ก Application์์ ์์ฑํด์ค์ผ ํ๋๊ฒ ๋ง์์ ธ์ ๊ณ ๋ฏผ์ด ๋์ด์...
๋ค์์๋ controller๋ง ์์กดํ๊ฒ๋ ์์ ํด๋ด์ผ๊ฒ ์ด์!! |
@@ -0,0 +1,34 @@
+package lotto.model;
+
+import static lotto.constant.Constant.THOUSAND;
+import static lotto.constant.Constant.ZERO;
+import static lotto.exception.ErrorInputException.ErrorMessage.PURCHASE_PRICE_CAN_DIVIDE_BY_THOUSAND;
+
+import lotto.exception.ErrorInputException;
+
+public class PurchasePrice {
+ private final int price;
+
+ private PurchasePrice(int price) {
+ this.price = price;
+ isDividedByThousand();
+ }
+
+ public static PurchasePrice createPurchasePrice(int price) {
+ return new PurchasePrice(price);
+ }
+
+ public int getPrice() {
+ return price;
+ }
+
+ private void isDividedByThousand() {
+ if (price % THOUSAND != ZERO) {
+ throw new ErrorInputException(PURCHASE_PRICE_CAN_DIVIDE_BY_THOUSAND);
+ }
+ }
+
+ public int calculateLottoCount() {
+ return price / THOUSAND;
+ }
+} | Java | ๋ก๋์ ๊ฐ์๋ฅผ ๊ตฌํ๋ ํจ์(calculateLottoCount)๋ก ๋ง๋ค์์ต๋๋ค!
๋ฃ๊ณ ๋ณด๋ ๋ง์ฝ ๋ก๋ ๊ฐ๊ฒฉ์ด ๋ฐ๋๊ฒ ๋๋ค๋ฉด ๋๋๋ ๊ฐ๊ฒฉ์ ์์ ํด์ผ ํ๋ `THOSAND` ๋์ `LOTTOPRICE`๋ก ๋ฐ๋๋๊ฒ ์ข๊ฒ ๊ตฐ์! |
@@ -0,0 +1,57 @@
+package lotto.model;
+
+import static lotto.constant.Constant.ZERO;
+
+import java.util.Collections;
+import java.util.EnumMap;
+import java.util.List;
+import java.util.Map;
+import lotto.constant.Rank;
+
+public class Statistics {
+ private final Map<Rank, Integer> result;
+
+ private Statistics() {
+ result = new EnumMap<>(Rank.class);
+ for (Rank rank : Rank.values()) {
+ result.put(rank, ZERO);
+ }
+ }
+
+ public static Statistics createStatistics() {
+ return new Statistics();
+ }
+
+ public Map<Rank, Integer> getResult() {
+ return Collections.unmodifiableMap(result);
+ }
+
+ public void calculateMatching(LottoNumbers lottoNumbers, WinnerNumber winnerNumber, BonusNumber bonusNumber) {
+ List<Lotto> lottos = lottoNumbers.getNumbers();
+
+ for (Lotto lotto : lottos) {
+ Rank rank = findRank(lotto, winnerNumber, bonusNumber);
+ int lottoCount = result.get(rank) + 1;
+
+ result.put(rank, lottoCount);
+ }
+ }
+
+ private Rank findRank(Lotto lotto, WinnerNumber winnerNumber, BonusNumber bonusNumber) {
+ long winnerMatch = countMatchingWinnerNumber(lotto, winnerNumber);
+ boolean bonusMatch = matchingBonusNumber(lotto, bonusNumber);
+
+ return Rank.findRank(winnerMatch, bonusMatch);
+ }
+
+ private boolean matchingBonusNumber(Lotto lotto, BonusNumber bonusNumber) {
+ return lotto.getNumbers().stream()
+ .anyMatch(number -> number.equals(bonusNumber.isSameBonusNumber(bonusNumber)));
+ }
+
+ private long countMatchingWinnerNumber(Lotto lotto, WinnerNumber winnerNumber) {
+ return lotto.getNumbers().stream()
+ .filter(winnerNumber.getWinnerNumbers()::contains)
+ .count();
+ }
+} | Java | `countMatchingWinnerNumber()` ํจ์์์ stream์ ์ฐ๋ค๋ณด๋ return ๊ฐ์ด long์ด ๋์์ด์!
long์ด๋ int๋ ํฌ๊ฒ ์ํฅ์ ์ฃผ์ง ์์ ๊ฒ์ด๋ผ๊ณ ์๊ฐํ์ฌ long์ผ๋ก ์ ์ธํ์ต๋๋ค! |
@@ -0,0 +1,40 @@
+package lotto.dto;
+
+import lotto.model.BonusNumber;
+import lotto.model.LottoNumbers;
+import lotto.model.PurchasePrice;
+import lotto.model.Statistics;
+import lotto.model.WinnerNumber;
+
+public class BuyLottoDto {
+ private PurchasePrice purchasePrice;
+ private LottoNumbers lottoNumbers;
+ private WinnerNumber winnerNumber;
+ private BonusNumber bonusNumber;
+
+ private BuyLottoDto(PurchasePrice purchasePrice, LottoNumbers lottoNumbers, WinnerNumber winnerNumber,
+ BonusNumber bonusNumber) {
+ this.purchasePrice = purchasePrice;
+ this.lottoNumbers = lottoNumbers;
+ this.winnerNumber = winnerNumber;
+ this.bonusNumber = bonusNumber;
+ }
+
+ public static BuyLottoDto createBuyLottoDto(PurchasePrice purchasePrice,
+ LottoNumbers lottoNumbers,
+ WinnerNumber winnerNumber,
+ BonusNumber bonusNumber) {
+ return new BuyLottoDto(purchasePrice, lottoNumbers, winnerNumber, bonusNumber);
+ }
+
+ public PurchasePrice getPurchasePrice() {
+ return purchasePrice;
+ }
+
+ public Statistics calculateMatching() {
+ Statistics statistics = Statistics.createStatistics();
+ statistics.calculateMatching(this.lottoNumbers, this.winnerNumber, this.bonusNumber);
+ return statistics;
+ }
+
+} | Java | ๋ง์์! ์ด ๋ก์ง์ service์ ๋ฐฐ์นํ๋๊ฒ ๋ ์ ์ ํ ๊ฒ ๊ฐ๊ตฐ์! ๐ |
@@ -0,0 +1,109 @@
+package christmas.controller;
+
+import christmas.domain.Date;
+import christmas.domain.EventBadge;
+import christmas.domain.Orders;
+import christmas.domain.discount.DDayStrategy;
+import christmas.domain.discount.Discount;
+import christmas.domain.discount.GiftStrategy;
+import christmas.domain.discount.SpecialStrategy;
+import christmas.domain.discount.WeekdayStrategy;
+import christmas.domain.discount.WeekendStrategy;
+import christmas.exception.InputException;
+import christmas.util.CurrencyUtil;
+import christmas.view.InputView;
+import christmas.view.OutputView;
+import java.util.ArrayList;
+import java.util.List;
+import java.util.function.Supplier;
+
+public class PromotionController {
+
+
+ public void run() {
+ OutputView.printGreeting();
+
+ Date date = initVisitDate();
+ Orders orders = initOrders();
+
+ displayPreviewForEvent(date, orders);
+ }
+
+ private void displayPreviewForEvent(Date date, Orders orders) {
+ OutputView.printPreviewTitle(date.getDay());
+ OutputView.printOrderedMenu(orders.getStringOrders());
+ displayTotalBeforeDiscount(orders);
+ displayDiscountDetails(date, orders);
+ }
+
+ private void displayDiscountDetails(Date date, Orders orders) {
+ Discount discount = applyDiscount(date, orders);
+
+ OutputView.printGiftMenu(discount.getStringGiftMenu());
+ OutputView.printBenefitHistory(discount.getDetailedEventHistory());
+
+ int totalBenefitAmount = discount.getTotalBenefitAmount();
+ displayTotalBenefitAmount(totalBenefitAmount);
+ displayDiscountedTotal(orders, discount);
+
+ displayEventBadge(totalBenefitAmount);
+ }
+
+ private void displayEventBadge(int totalBenefitAmount) {
+ EventBadge eventBadge = EventBadge.getEventBadge(totalBenefitAmount);
+ OutputView.printEventBadge(eventBadge.getName());
+ }
+
+ private void displayDiscountedTotal(Orders orders, Discount discount) {
+ String amount = CurrencyUtil.formatToKor(
+ orders.calculateTotalBeforeDiscount() + discount.getTotalDiscountAmount());
+ OutputView.printDiscountedTotal(amount);
+ }
+
+ private void displayTotalBenefitAmount(int totalBenefitAmount) {
+ String totalBenefit = CurrencyUtil.formatToKor(totalBenefitAmount);
+ OutputView.printTotalBenefit(totalBenefit);
+ }
+
+ private void displayTotalBeforeDiscount(Orders orders) {
+ String totalAmount = CurrencyUtil.formatToKor(orders.calculateTotalBeforeDiscount());
+ OutputView.printTotalBeforeDiscount(totalAmount);
+ }
+
+ private Discount applyDiscount(Date date, Orders orders) {
+ Discount discount = new Discount(List.of(
+ new DDayStrategy(),
+ new WeekdayStrategy(),
+ new WeekendStrategy(),
+ new SpecialStrategy(),
+ new GiftStrategy()),
+ date
+ );
+ discount.checkEvent(orders);
+
+ return discount;
+ }
+
+ private Orders initOrders() {
+ return wrapByLoop(() -> {
+ Orders orders = new Orders(new ArrayList<>());
+ orders.createOrder(InputView.getMenu());
+
+ return orders;
+ });
+ }
+
+ private Date initVisitDate() {
+ return wrapByLoop(() -> Date.from(InputView.getDate()));
+ }
+
+ private <T> T wrapByLoop(Supplier<T> supplier) {
+ while (true) {
+ try {
+ return supplier.get();
+ } catch (InputException exception) {
+ System.out.println(exception.getMessage());
+ }
+ }
+ }
+} | Java | ์ปจํธ๋กค๋ฌ๋จ์์ ํ๋๊ฒ๋ ๊ด์ฐฎ์ง๋ง ํด๋น ๋๋ฉ์ธ ๋ก์ง์ผ๋ก ๊ฐ์ ธ๊ฐ๋ ๊ฒ๋ ์ข์๋ณด์ฌ์! |
@@ -0,0 +1,48 @@
+package christmas.domain;
+
+public enum Event {
+ NONE("์์", 0),
+ CHRISTMAS_D_DAY_DISCOUNT("ํฌ๋ฆฌ์ค๋ง์ค ๋๋ฐ์ด ํ ์ธ", 1_000),
+ WEEKDAY_DISCOUNT("ํ์ผ ํ ์ธ", 2_023),
+ WEEKEND_DISCOUNT("์ฃผ๋ง ํ ์ธ", 2_023),
+ SPECIAL_DISCOUNT("ํน๋ณ ํ ์ธ", 1_000),
+ GIFT("์ฆ์ ์ด๋ฒคํธ", 25_000);
+
+ private static final int BASE_AMOUNT_PER_DATE = 100;
+
+ private final String name;
+ private final int amount;
+
+ Event(String name, int amount) {
+ this.name = name;
+ this.amount = amount;
+ }
+
+ public int calculateTotalAmount(int count, Date date) {
+ if (this.equals(CHRISTMAS_D_DAY_DISCOUNT)) {
+ return getAmountOfDDayDiscount(date);
+ }
+
+ if (isOneTimeEvent()) {
+ return amount;
+ }
+
+ return count * amount;
+ }
+
+ public String getName() {
+ return name;
+ }
+
+ public int getAmount() {
+ return amount;
+ }
+
+ private boolean isOneTimeEvent() {
+ return this.equals(SPECIAL_DISCOUNT) || this.equals(GIFT);
+ }
+
+ private int getAmountOfDDayDiscount(Date date) {
+ return CHRISTMAS_D_DAY_DISCOUNT.amount + (BASE_AMOUNT_PER_DATE * date.daysSince1Day());
+ }
+} | Java | ์ฝ๋๊ฐ ์ฝ๊ธฐ ํธํด์! |
@@ -0,0 +1,57 @@
+package christmas.domain;
+
+import christmas.exception.ExceptionMessage;
+import christmas.exception.InputException;
+import java.util.Arrays;
+
+public enum Menu {
+ MUSHROOM_CREAM_SOUP("์์ก์ด์ํ", 6_000, FoodType.APPETIZER),
+ TAPAS("ํํ์ค", 5_500, FoodType.APPETIZER),
+ CAESAR_SALAD("์์ ์๋ฌ๋", 8_000, FoodType.APPETIZER),
+ T_BONE_STEAK("ํฐ๋ณธ์คํ
์ดํฌ", 55_000, FoodType.MAIN),
+ BARBECUE_RIBS("๋ฐ๋นํ๋ฆฝ", 54_000, FoodType.MAIN),
+ SEAFOOD_PASTA("ํด์ฐ๋ฌผํ์คํ", 35_000, FoodType.MAIN),
+ CHRISTMAS_PASTA("ํฌ๋ฆฌ์ค๋ง์คํ์คํ", 25_000, FoodType.MAIN),
+ CHOCOLATE_CAKE("์ด์ฝ์ผ์ดํฌ", 15_000, FoodType.DESSERT),
+ ICE_CREAM("์์ด์คํฌ๋ฆผ", 5_000, FoodType.DESSERT),
+ ZERO_COLA("์ ๋ก์ฝ๋ผ", 3_000, FoodType.BEVERAGE),
+ RED_WINE("๋ ๋์์ธ", 60_000, FoodType.BEVERAGE),
+ CHAMPAGNE("์ดํ์ธ", 25_000, FoodType.BEVERAGE);
+
+ private final String name;
+ private final int price;
+ private final FoodType type;
+
+ Menu(String name, int price, FoodType type) {
+ this.name = name;
+ this.price = price;
+ this.type = type;
+ }
+
+ public static Menu findMenuByName(String name) {
+ return Arrays.stream(values())
+ .filter(value -> value.name.equals(name))
+ .findFirst()
+ .orElseThrow(() -> new InputException(ExceptionMessage.INVALID_ORDER));
+ }
+
+ public static boolean isBeverage(String name) {
+ return findMenuByName(name).type.equals(FoodType.BEVERAGE);
+ }
+
+ public boolean isDessert() {
+ return this.type.equals(FoodType.DESSERT);
+ }
+
+ public boolean isMain() {
+ return this.type.equals(FoodType.MAIN);
+ }
+
+ public String getName() {
+ return name;
+ }
+
+ public int getPrice() {
+ return price;
+ }
+} | Java | Menu Enum์ FoodType Enum ์ ๊ฐ์ ธ์์ ์ฐ์๋ ์๋๊ฐ ๊ถ๊ธํฉ๋๋ค! |
@@ -0,0 +1,19 @@
+package christmas.domain.discount;
+
+import christmas.domain.Date;
+import christmas.domain.Event;
+import christmas.domain.Orders;
+import java.util.List;
+
+public class GiftStrategy implements DiscountStrategy {
+ private static final int GIFT_BASE_AMOUNT = 120_000;
+
+ @Override
+ public List<Event> getShouldApplyEvents(Orders orders, Date date) {
+ if (orders.calculateTotalBeforeDiscount() >= GIFT_BASE_AMOUNT) {
+ return List.of(Event.GIFT);
+ }
+
+ return List.of(Event.NONE);
+ }
+} | Java | ์ธํฐํ์ด์ค ํ์ฉ ์ข๋ค์! |
@@ -0,0 +1,4 @@
+package christmas.dto;
+
+public record OrderParam(String name, int count) {
+} | Java | ํด๋น record ๊ฐ์ฒด์ ์๋๊ฐ ๊ถ๊ธํฉ๋๋ค! |
@@ -0,0 +1,9 @@
+package christmas.exception;
+
+public class InputException extends IllegalArgumentException {
+ public static final String PREFIX = "[ERROR] ";
+
+ public InputException(String message) {
+ super(PREFIX + message);
+ }
+} | Java | ์ ๋ ํ๋ก๊ทธ๋จ์์ ๋ฐ์ํ๋ ์์ธ ์ฒ๋ฆฌ ๋ฉ์๋๋ฅผ ํ ํจํค์ง์ ๋ชจ์์ ๊ด๋ฆฌํ๊ณ ์๋๋ฐ ์ด๋ป๊ฒ ์๊ฐํ์ค๊น์? |
@@ -0,0 +1,72 @@
+package christmas.view;
+
+public class OutputView {
+ private static final String GREETING = "์๋
ํ์ธ์! ์ฐํ
์ฝ ์๋น 12์ ์ด๋ฒคํธ ํ๋๋์
๋๋ค.";
+ private static final String PREVIEW_TITLE = "12์ %d์ผ์ ์ฐํ
์ฝ ์๋น์์ ๋ฐ์ ์ด๋ฒคํธ ํํ ๋ฏธ๋ฆฌ ๋ณด๊ธฐ!";
+ private static final String ORDERED_MENU = "<์ฃผ๋ฌธ ๋ฉ๋ด>";
+ private static final String TOTAL_BEFORE_DISCOUNT = "<ํ ์ธ ์ ์ด์ฃผ๋ฌธ ๊ธ์ก>";
+ private static final String GIFT_MENU = "<์ฆ์ ๋ฉ๋ด>";
+ private static final String BENEFIT_HISTORY = "<ํํ ๋ด์ญ>";
+ private static final String TOTAL_BENEFIT = "<์ดํํ ๊ธ์ก>";
+ private static final String DISCOUNTED_TOTAL = "<ํ ์ธ ํ ์์ ๊ฒฐ์ ๊ธ์ก>";
+ private static final String EVENT_BADGE = "<12์ ์ด๋ฒคํธ ๋ฐฐ์ง>";
+
+ private OutputView() {
+ }
+
+ public static void printGreeting() {
+ print(GREETING);
+ }
+
+ public static void printPreviewTitle(int date) {
+ print(String.format(PREVIEW_TITLE, date));
+ printLineFeed();
+ }
+
+ public static void printOrderedMenu(String orders) {
+ print(ORDERED_MENU);
+ print(orders);
+ }
+
+ public static void printTotalBeforeDiscount(String amount) {
+ print(TOTAL_BEFORE_DISCOUNT);
+ print(amount);
+ printLineFeed();
+ }
+
+ public static void printGiftMenu(String menu) {
+ print(GIFT_MENU);
+ print(menu);
+ printLineFeed();
+ }
+
+ public static void printBenefitHistory(String history) {
+ print(BENEFIT_HISTORY);
+ print(history);
+ }
+
+ public static void printTotalBenefit(String amount) {
+ print(TOTAL_BENEFIT);
+ print(amount);
+ printLineFeed();
+ }
+
+ public static void printDiscountedTotal(String amount) {
+ print(DISCOUNTED_TOTAL);
+ print(amount);
+ printLineFeed();
+ }
+
+ public static void printEventBadge(String badge) {
+ print(EVENT_BADGE);
+ print(badge);
+ }
+
+ private static void print(String input) {
+ System.out.println(input);
+ }
+
+ private static void printLineFeed() {
+ System.out.println();
+ }
+} | Java | ํด๋น ๋ก์ง์ ๊ตณ์ด Enum์ผ๋ก ๊ด๋ฆฌํ์ง ์์๋๋ฐ๋ ๊ฐ๋
์ฑ์ด ์ ๋ง ์ข๋ค์!
์ธ์ฌ์ดํธ ์ป์ด๊ฐ๋๋ค! |
@@ -0,0 +1,171 @@
+package christmas.domain;
+
+import static org.assertj.core.api.Assertions.assertThat;
+import static org.assertj.core.api.Assertions.assertThatNoException;
+import static org.assertj.core.api.Assertions.assertThatThrownBy;
+
+import christmas.exception.ExceptionMessage;
+import java.util.ArrayList;
+import java.util.Arrays;
+import java.util.List;
+import java.util.stream.Stream;
+import org.junit.jupiter.api.DisplayName;
+import org.junit.jupiter.api.Test;
+import org.junit.jupiter.params.ParameterizedTest;
+import org.junit.jupiter.params.provider.MethodSource;
+
+class OrdersTest {
+ @DisplayName("์๋ฃ๋ง ์ฃผ๋ฌธํ์ผ๋ฉด ์์ธ๊ฐ ๋ฐ์ํด์ผ ํ๋ค.")
+ @ParameterizedTest
+ @MethodSource("getOnlyBeverages")
+ void validateOnlyBeverageTest(List<String> orders) {
+ // given
+ Orders newOrders = new Orders(new ArrayList<>());
+
+ // when, then
+ assertThatThrownBy(() -> newOrders.createOrder(orders))
+ .isInstanceOf(IllegalArgumentException.class)
+ .hasMessageContaining(ExceptionMessage.ONLY_BEVERAGE_ORDER);
+ }
+
+ static Stream<List<String>> getOnlyBeverages() {
+ return Stream.of(
+ List.of("์ ๋ก์ฝ๋ผ-10"),
+ List.of("๋ ๋์์ธ-2"),
+ List.of("์ดํ์ธ-1", "๋ ๋์์ธ-2"),
+ List.of("์ ๋ก์ฝ๋ผ-3", "๋ ๋์์ธ-3", "์ดํ์ธ-3")
+ );
+ }
+
+ @DisplayName("์๋ฃ์ ์์์ ๊ฐ์ด ์ฃผ๋ฌธํ์ผ๋ฉด ์์ธ๊ฐ ๋ฐ์ํ์ง ์๋๋ค.")
+ @Test
+ void validateOnlyBeverageWithFoodTest() {
+ // given
+ List<String> orders = Arrays.asList("์ ๋ก์ฝ๋ผ-3", "๋ ๋์์ธ-3", "์ดํ์ธ-3", "์ด์ฝ์ผ์ดํฌ-1");
+ Orders newOrders = new Orders(new ArrayList<>());
+
+ // when, then
+ assertThatNoException().isThrownBy(() -> newOrders.createOrder(orders));
+ }
+
+ @DisplayName("์ค๋ณต ๋ฉ๋ด๋ฅผ ์ฃผ๋ฌธํ์ ๊ฒฝ์ฐ ์์ธ๊ฐ ๋ฐ์ํด์ผ ํ๋ค.")
+ @ParameterizedTest
+ @MethodSource("getDuplicatedOrders")
+ void validateDuplicateTest(List<String> orders) {
+ // given
+ Orders newOrders = new Orders(new ArrayList<>());
+
+ // when, then
+ assertThatThrownBy(() -> newOrders.createOrder(orders))
+ .isInstanceOf(IllegalArgumentException.class)
+ .hasMessageContaining(ExceptionMessage.INVALID_ORDER);
+ }
+
+ static Stream<List<String>> getDuplicatedOrders() {
+ return Stream.of(
+ List.of("์ดํ์ธ-1", "์ดํ์ธ-9"),
+ List.of("์์ด์คํฌ๋ฆผ-2", "ํด์ฐ๋ฌผํ์คํ-1", "์์ด์คํฌ๋ฆผ-11"),
+ List.of("์ ๋ก์ฝ๋ผ-1", "ํํ์ค-1", "๋ฐ๋นํ๋ฆฝ-2", "์ ๋ก์ฝ๋ผ-1")
+ );
+ }
+
+ @DisplayName("20๊ฐ ์ด๊ณผ ์ฃผ๋ฌธํ์ผ๋ฉด ์์ธ๊ฐ ๋ฐ์ํด์ผ ํ๋ค.")
+ @ParameterizedTest
+ @MethodSource("getOverLimitOrders")
+ void validateOverLimitTest(List<String> orders) {
+ // given
+ Orders newOrders = new Orders(new ArrayList<>());
+
+ // when, then
+ assertThatThrownBy(() -> newOrders.createOrder(orders))
+ .isInstanceOf(IllegalArgumentException.class)
+ .hasMessageContaining(ExceptionMessage.OVER_LIMIT_ORDER);
+ }
+
+ static Stream<List<String>> getOverLimitOrders() {
+ return Stream.of(
+ List.of("ํฐ๋ณธ์คํ
์ดํฌ-21"),
+ List.of("ํฌ๋ฆฌ์ค๋ง์คํ์คํ-10", "์์ ์๋ฌ๋-11"),
+ List.of("์ ๋ก์ฝ๋ผ-5", "์ด์ฝ์ผ์ดํฌ-5", "๋ฐ๋นํ๋ฆฝ-5", "ํด์ฐ๋ฌผํ์คํ-5", "ํํ์ค-1")
+ );
+ }
+
+ @DisplayName("ํ ์ธ ์ ์ด์ฃผ๋ฌธ ๊ธ์ก์ ๋ฐํํด์ผ ํ๋ค.")
+ @Test
+ void calculateTotalBeforeDiscountTest() {
+ // given
+ Orders newOrders = new Orders(
+ List.of(
+ Order.of("ํฐ๋ณธ์คํ
์ดํฌ", 2),
+ Order.of("์ ๋ก์ฝ๋ผ", 2),
+ Order.of("์์ ์๋ฌ๋", 1),
+ Order.of("์ด์ฝ์ผ์ดํฌ", 1),
+ Order.of("์์ด์คํฌ๋ฆผ", 1)
+ ));
+
+ // when
+ int totalPrice = newOrders.calculateTotalBeforeDiscount();
+
+ // then
+ assertThat(totalPrice).isEqualTo(144_000);
+ }
+
+ @DisplayName("๋์ ํธ์ ๊ฐ์๋ฅผ ๋ฐํํด์ผ ํ๋ค.")
+ @Test
+ void getCountOfDessertTest() {
+ // given
+ Orders newOrders = new Orders(
+ List.of(
+ Order.of("ํฐ๋ณธ์คํ
์ดํฌ", 2),
+ Order.of("์ ๋ก์ฝ๋ผ", 2),
+ Order.of("์ด์ฝ์ผ์ดํฌ", 3),
+ Order.of("์์ด์คํฌ๋ฆผ", 5)
+ ));
+
+ // when
+ int countOfDessert = newOrders.getCountOfDessert();
+
+ // then
+ assertThat(countOfDessert).isEqualTo(8);
+ }
+
+ @DisplayName("๋ฉ์ธ ๋ฉ๋ด์ ๊ฐ์๋ฅผ ๋ฐํํด์ผ ํ๋ค.")
+ @Test
+ void getCountOfMainTest() {
+ // given
+ Orders newOrders = new Orders(
+ List.of(
+ Order.of("ํฐ๋ณธ์คํ
์ดํฌ", 3),
+ Order.of("์ ๋ก์ฝ๋ผ", 2),
+ Order.of("ํฌ๋ฆฌ์ค๋ง์คํ์คํ", 1),
+ Order.of("ํด์ฐ๋ฌผํ์คํ", 2)
+ ));
+
+ // when
+ int countOfMain = newOrders.getCountOfMain();
+
+ // then
+ assertThat(countOfMain).isEqualTo(6);
+ }
+
+ @DisplayName("๋ฉ๋ด์ ๊ฐ์๋ฅผ ๋ฌธ์์ด๋ก ๋ฐํํด์ผ ํ๋ค.")
+ @Test
+ void getStringOrdersTest() {
+ // given
+ Orders newOrders = new Orders(
+ List.of(
+ Order.of("ํฐ๋ณธ์คํ
์ดํฌ", 3),
+ Order.of("์ ๋ก์ฝ๋ผ", 2),
+ Order.of("ํฌ๋ฆฌ์ค๋ง์คํ์คํ", 1)
+ ));
+
+ // when
+ String stringOfOrders = newOrders.getStringOrders();
+
+ // then
+ assertThat(stringOfOrders)
+ .contains("ํฐ๋ณธ์คํ
์ดํฌ 3๊ฐ")
+ .contains("์ ๋ก์ฝ๋ผ 2๊ฐ")
+ .contains("ํฌ๋ฆฌ์ค๋ง์คํ์คํ 1๊ฐ");
+ }
+}
\ No newline at end of file | Java | ํด๋น ๋ก์ง์ @BeforEach ์ด๋
ธํ
์ด์
์ ํ์ฉํ๋๊ฑด ์ด๋ป๊ฒ ์๊ฐํ์ค๊น์? |
@@ -0,0 +1,109 @@
+package christmas.controller;
+
+import christmas.domain.Date;
+import christmas.domain.EventBadge;
+import christmas.domain.Orders;
+import christmas.domain.discount.DDayStrategy;
+import christmas.domain.discount.Discount;
+import christmas.domain.discount.GiftStrategy;
+import christmas.domain.discount.SpecialStrategy;
+import christmas.domain.discount.WeekdayStrategy;
+import christmas.domain.discount.WeekendStrategy;
+import christmas.exception.InputException;
+import christmas.util.CurrencyUtil;
+import christmas.view.InputView;
+import christmas.view.OutputView;
+import java.util.ArrayList;
+import java.util.List;
+import java.util.function.Supplier;
+
+public class PromotionController {
+
+
+ public void run() {
+ OutputView.printGreeting();
+
+ Date date = initVisitDate();
+ Orders orders = initOrders();
+
+ displayPreviewForEvent(date, orders);
+ }
+
+ private void displayPreviewForEvent(Date date, Orders orders) {
+ OutputView.printPreviewTitle(date.getDay());
+ OutputView.printOrderedMenu(orders.getStringOrders());
+ displayTotalBeforeDiscount(orders);
+ displayDiscountDetails(date, orders);
+ }
+
+ private void displayDiscountDetails(Date date, Orders orders) {
+ Discount discount = applyDiscount(date, orders);
+
+ OutputView.printGiftMenu(discount.getStringGiftMenu());
+ OutputView.printBenefitHistory(discount.getDetailedEventHistory());
+
+ int totalBenefitAmount = discount.getTotalBenefitAmount();
+ displayTotalBenefitAmount(totalBenefitAmount);
+ displayDiscountedTotal(orders, discount);
+
+ displayEventBadge(totalBenefitAmount);
+ }
+
+ private void displayEventBadge(int totalBenefitAmount) {
+ EventBadge eventBadge = EventBadge.getEventBadge(totalBenefitAmount);
+ OutputView.printEventBadge(eventBadge.getName());
+ }
+
+ private void displayDiscountedTotal(Orders orders, Discount discount) {
+ String amount = CurrencyUtil.formatToKor(
+ orders.calculateTotalBeforeDiscount() + discount.getTotalDiscountAmount());
+ OutputView.printDiscountedTotal(amount);
+ }
+
+ private void displayTotalBenefitAmount(int totalBenefitAmount) {
+ String totalBenefit = CurrencyUtil.formatToKor(totalBenefitAmount);
+ OutputView.printTotalBenefit(totalBenefit);
+ }
+
+ private void displayTotalBeforeDiscount(Orders orders) {
+ String totalAmount = CurrencyUtil.formatToKor(orders.calculateTotalBeforeDiscount());
+ OutputView.printTotalBeforeDiscount(totalAmount);
+ }
+
+ private Discount applyDiscount(Date date, Orders orders) {
+ Discount discount = new Discount(List.of(
+ new DDayStrategy(),
+ new WeekdayStrategy(),
+ new WeekendStrategy(),
+ new SpecialStrategy(),
+ new GiftStrategy()),
+ date
+ );
+ discount.checkEvent(orders);
+
+ return discount;
+ }
+
+ private Orders initOrders() {
+ return wrapByLoop(() -> {
+ Orders orders = new Orders(new ArrayList<>());
+ orders.createOrder(InputView.getMenu());
+
+ return orders;
+ });
+ }
+
+ private Date initVisitDate() {
+ return wrapByLoop(() -> Date.from(InputView.getDate()));
+ }
+
+ private <T> T wrapByLoop(Supplier<T> supplier) {
+ while (true) {
+ try {
+ return supplier.get();
+ } catch (InputException exception) {
+ System.out.println(exception.getMessage());
+ }
+ }
+ }
+} | Java | ๊ณต๊ฐํฉ๋๋ค!! |
@@ -0,0 +1,58 @@
+package christmas.domain;
+
+import christmas.exception.ExceptionMessage;
+import christmas.exception.InputException;
+import java.time.LocalDate;
+import java.time.format.TextStyle;
+import java.util.List;
+import java.util.Locale;
+
+public class Date {
+ private static final int MIN_DATE = 1;
+ private static final int MAX_DATE = 31;
+ private static final int OFFSET = 1;
+ private static final int CHRISTMAS = 25;
+ private static final String SUNDAY = "์ผ";
+ private static final List<String> WEEKDAY = List.of(SUNDAY, "์", "ํ", "์", "๋ชฉ");
+
+ private final LocalDate date;
+
+ private Date(int date) {
+ validateRange(date);
+ this.date = LocalDate.of(2023, 12, date);
+ }
+
+ public static Date from(int date) {
+ return new Date(date);
+ }
+
+ public boolean isBetween1And25days() {
+ return getDay() <= CHRISTMAS;
+ }
+
+ public int daysSince1Day() {
+ return getDay() - OFFSET;
+ }
+
+ public boolean isSpecialDay() {
+ return getDay() == CHRISTMAS || getDayOfWeek().equals(SUNDAY);
+ }
+
+ public boolean isWeekday() {
+ return WEEKDAY.contains(getDayOfWeek());
+ }
+
+ public int getDay() {
+ return date.getDayOfMonth();
+ }
+
+ private String getDayOfWeek() {
+ return date.getDayOfWeek().getDisplayName(TextStyle.SHORT, Locale.KOREA);
+ }
+
+ private void validateRange(int date) {
+ if (date < MIN_DATE || date > MAX_DATE) {
+ throw new InputException(ExceptionMessage.INVALID_DATE);
+ }
+ }
+} | Java | "SUNDAY" ๋ฅผ "์ผ" ๋ก ํ์ง ์์ผ์ ์ด์ ๊ฐ ์๋์?? |
@@ -0,0 +1,61 @@
+package christmas.domain;
+
+import static christmas.Constants.BASE_COUNT;
+import static christmas.Constants.BLANK;
+import static christmas.Constants.COUNT;
+import static christmas.Constants.LINE_FEED;
+import static christmas.Constants.NONE;
+
+import christmas.exception.ExceptionMessage;
+import christmas.exception.InputException;
+
+public class Order {
+ private final Menu menu;
+ private final int count;
+
+ private Order(Menu menu, int count) {
+ validateCount(count);
+ this.menu = menu;
+ this.count = count;
+ }
+
+ public static Order of(String name, int count) {
+ return new Order(Menu.findMenuByName(name), count);
+ }
+
+ public int getTotalPrice() {
+ return menu.getPrice() * count;
+ }
+
+ public int getCountPerDessert() {
+ if (menu.isDessert()) {
+ return count;
+ }
+
+ return NONE;
+ }
+
+ public int getCountPerMain() {
+ if (menu.isMain()) {
+ return count;
+ }
+
+ return NONE;
+ }
+
+ public String getStringMenuAndCount() {
+ return new StringBuilder()
+ .append(menu.getName())
+ .append(BLANK)
+ .append(count)
+ .append(COUNT)
+ .append(LINE_FEED)
+ .toString();
+ }
+
+ private void validateCount(int count) {
+ if (count < BASE_COUNT) {
+ throw new InputException(ExceptionMessage.INVALID_ORDER);
+ }
+ }
+} | Java | ์ด๊ฑด OutputView ์์ ํด๋ ์ข์๊ฒ ๊ฐ์๋ฐ ์ด๋ป๊ฒ ์๊ฐํ์๋์?? |
@@ -0,0 +1,36 @@
+package christmas.domain;
+
+import java.util.Arrays;
+import java.util.Comparator;
+
+public enum EventBadge {
+ NONE("์์", 0),
+ STAR("๋ณ", 5_000),
+ TREE("ํธ๋ฆฌ", 10_000),
+ SANTA("์ฐํ", 20_000);
+
+ private final String name;
+ private final int price;
+
+ EventBadge(String name, int price) {
+ this.name = name;
+ this.price = price;
+ }
+
+ public static EventBadge getEventBadge(int amount) {
+ return Arrays.stream(values())
+ .sorted(descendOrderByPrice())
+ .filter(badge -> badge.price <= Math.abs(amount))
+ .findFirst()
+ .orElse(NONE);
+ }
+
+ public String getName() {
+ return name;
+ }
+
+ private static Comparator<EventBadge> descendOrderByPrice() {
+ return (o1, o2) -> o2.price - o1.price;
+ }
+
+} | Java | ์ ๋ง ๊น๋ํ๋ค์!! |
@@ -0,0 +1,17 @@
+package christmas.domain.discount;
+
+import christmas.domain.Date;
+import christmas.domain.Event;
+import christmas.domain.Orders;
+import java.util.List;
+
+public class DDayStrategy implements DiscountStrategy {
+ @Override
+ public List<Event> getShouldApplyEvents(Orders orders, Date date) {
+ if (date.isBetween1And25days()) {
+ return List.of(Event.CHRISTMAS_D_DAY_DISCOUNT);
+ }
+
+ return List.of(Event.NONE);
+ }
+} | Java | ์ ๋ต ํจํด ์ฌ์ฉํ์
จ๋ค์! ๐๐ |
@@ -21,6 +21,7 @@ package
{
if (_instance)
{
+ // NOTE throw ์์ผ๋๊ณ catch ์ํด์ฃผ๋ฉด ์ด๋ป๊ฒ ๋ ๊น์?
throw new Error("Use getInstance().");
}
_instance = this; | Unknown | ์ฌ์ค ์ฌ๊ธฐ์ throw๊ฐ ๋ ๊ฐ๋ฅ์ฑ์ ๊ฑฐ์ ์์ด๋ณด์
๋๋ค๋ง...
๋ฐ๊นฅ์ try catch ์ฒ๋ฆฌ๋ฅผ ํ์ง ์์ ์ฑ๋ก throw๊ฐ ๋ฐ์ํด๋ฒ๋ฆฌ๋ฉด
์ด๋ป๊ฒ ๋ ๊น์? |
@@ -1,10 +1,113 @@
package subway;
import java.util.Scanner;
+import subway.controller.InitController;
+import subway.controller.InputController;
+import subway.controller.SubwayController;
+import subway.domain.Station;
+import subway.repository.LineRepository;
+import subway.repository.StationRepository;
+import subway.service.LineService;
+import subway.service.MinimumTimeService;
+import subway.service.ShortestPathService;
+import subway.service.StationService;
+import subway.validation.EndStationValidation;
+import subway.validation.MainFunctionValidation;
+import subway.validation.SelectRouteValidation;
+import subway.validation.StartStationValidation;
+import subway.view.Input.InputView;
+import subway.view.output.OutputView;
public class Application {
public static void main(String[] args) {
final Scanner scanner = new Scanner(System.in);
- // TODO: ํ๋ก๊ทธ๋จ ๊ตฌํ
+
+ // ๊ฐ์ฒด ์์ฑ
+ InputView inputView = createInputView();
+ OutputView outputView = new OutputView();
+
+ StationService stationService = createStationService(new StationRepository());
+ LineService lineService = createLineService(new LineRepository());
+ ShortestPathService shortestPathService = new ShortestPathService();
+ MinimumTimeService minimumTimeService = new MinimumTimeService();
+
+ InitController initController = createInitController(stationService, lineService);
+ InputController inputController = createInputController(inputView, outputView, scanner);
+ SubwayController subwayController = createSubwayController(shortestPathService, minimumTimeService, outputView);
+
+ // ๋ฉ์๋ ํธ์ถ
+ executeControllers(initController, inputController, subwayController);
+ }
+
+ private static InputView createInputView() {
+ MainFunctionValidation mainFunctionValidation = new MainFunctionValidation();
+ SelectRouteValidation selectRouteValidation = new SelectRouteValidation();
+ StartStationValidation startStationValidation = new StartStationValidation();
+ EndStationValidation endStationValidation = new EndStationValidation();
+ return new InputView(mainFunctionValidation, selectRouteValidation, startStationValidation,
+ endStationValidation);
+ }
+
+ private static StationService createStationService(StationRepository stationRepository) {
+ return StationService.createStationService(stationRepository);
+ }
+
+ private static LineService createLineService(LineRepository lineRepository) {
+ return LineService.createLineService(lineRepository);
+ }
+
+
+ private static InitController createInitController(StationService stationService, LineService lineService) {
+ return InitController.createInitController(stationService, lineService);
+ }
+
+ private static InputController createInputController(InputView inputView, OutputView outputView, Scanner scanner) {
+ return InputController.createInputController(inputView, outputView, scanner);
+ }
+
+ private static SubwayController createSubwayController(ShortestPathService shortestPathService,
+ MinimumTimeService minimumTimeService,
+ OutputView outputView) {
+ return SubwayController.createSubwayController(shortestPathService, minimumTimeService, outputView);
+ }
+
+
+ private static void executeControllers(InitController initController, InputController inputController,
+ SubwayController subwayController) {
+ initController.init();
+
+ while (true) {
+ String mainFunc = inputController.inputMainFunc();
+ if (mainFunc.equals("Q")) {
+ System.exit(0);
+ }
+
+ if (mainFunc.equals("1")) {
+ executeRouteSelection(inputController, subwayController);
+ }
+ }
+ }
+
+ private static void executeRouteSelection(InputController inputController, SubwayController subwayController) {
+ String selectRouteFunc = inputController.inputSelectRoute();
+ if (selectRouteFunc.equals("B")) {
+ return;
+ }
+
+ Station start = inputStartStation(inputController);
+ Station end = inputEndStation(inputController, start);
+
+ subwayController.calculateAndPrintRoute(selectRouteFunc, start, end);
+ }
+
+ private static Station inputStartStation(InputController inputController) {
+ String stationName = inputController.inputStartStation();
+ return new Station(stationName);
+ }
+
+ private static Station inputEndStation(InputController inputController, Station start) {
+ String stationName = inputController.inputEndStation(start.getName());
+ return new Station(stationName);
}
}
+ | Java | ์ ์ฌ๊ธฐ๋ ๋ก๋์ ๊ฐ๊ตฐ์! ๋ง์ฝ controller์ service์ ๋ํ ๊ฐ์ฒด ์์ฑํ๋ ๊ด์ฌ์ฌ๋ฅผ ํน์ ํด๋์ค์์ ํ๊ณ ์ถ๋ค๋ฉด Configurationํด๋์ค๋ฅผ ๋ง๋๋๊ฑด ์ด๋จ๊น์? ์คํ๋ง๋ถํธ์์ @Configuration์ด Bean์ ๋ฑ๋กํด์ฃผ๋ ์ด๋
ธํ
์ด์
์ด๋๊น์! |
@@ -1,10 +1,113 @@
package subway;
import java.util.Scanner;
+import subway.controller.InitController;
+import subway.controller.InputController;
+import subway.controller.SubwayController;
+import subway.domain.Station;
+import subway.repository.LineRepository;
+import subway.repository.StationRepository;
+import subway.service.LineService;
+import subway.service.MinimumTimeService;
+import subway.service.ShortestPathService;
+import subway.service.StationService;
+import subway.validation.EndStationValidation;
+import subway.validation.MainFunctionValidation;
+import subway.validation.SelectRouteValidation;
+import subway.validation.StartStationValidation;
+import subway.view.Input.InputView;
+import subway.view.output.OutputView;
public class Application {
public static void main(String[] args) {
final Scanner scanner = new Scanner(System.in);
- // TODO: ํ๋ก๊ทธ๋จ ๊ตฌํ
+
+ // ๊ฐ์ฒด ์์ฑ
+ InputView inputView = createInputView();
+ OutputView outputView = new OutputView();
+
+ StationService stationService = createStationService(new StationRepository());
+ LineService lineService = createLineService(new LineRepository());
+ ShortestPathService shortestPathService = new ShortestPathService();
+ MinimumTimeService minimumTimeService = new MinimumTimeService();
+
+ InitController initController = createInitController(stationService, lineService);
+ InputController inputController = createInputController(inputView, outputView, scanner);
+ SubwayController subwayController = createSubwayController(shortestPathService, minimumTimeService, outputView);
+
+ // ๋ฉ์๋ ํธ์ถ
+ executeControllers(initController, inputController, subwayController);
+ }
+
+ private static InputView createInputView() {
+ MainFunctionValidation mainFunctionValidation = new MainFunctionValidation();
+ SelectRouteValidation selectRouteValidation = new SelectRouteValidation();
+ StartStationValidation startStationValidation = new StartStationValidation();
+ EndStationValidation endStationValidation = new EndStationValidation();
+ return new InputView(mainFunctionValidation, selectRouteValidation, startStationValidation,
+ endStationValidation);
+ }
+
+ private static StationService createStationService(StationRepository stationRepository) {
+ return StationService.createStationService(stationRepository);
+ }
+
+ private static LineService createLineService(LineRepository lineRepository) {
+ return LineService.createLineService(lineRepository);
+ }
+
+
+ private static InitController createInitController(StationService stationService, LineService lineService) {
+ return InitController.createInitController(stationService, lineService);
+ }
+
+ private static InputController createInputController(InputView inputView, OutputView outputView, Scanner scanner) {
+ return InputController.createInputController(inputView, outputView, scanner);
+ }
+
+ private static SubwayController createSubwayController(ShortestPathService shortestPathService,
+ MinimumTimeService minimumTimeService,
+ OutputView outputView) {
+ return SubwayController.createSubwayController(shortestPathService, minimumTimeService, outputView);
+ }
+
+
+ private static void executeControllers(InitController initController, InputController inputController,
+ SubwayController subwayController) {
+ initController.init();
+
+ while (true) {
+ String mainFunc = inputController.inputMainFunc();
+ if (mainFunc.equals("Q")) {
+ System.exit(0);
+ }
+
+ if (mainFunc.equals("1")) {
+ executeRouteSelection(inputController, subwayController);
+ }
+ }
+ }
+
+ private static void executeRouteSelection(InputController inputController, SubwayController subwayController) {
+ String selectRouteFunc = inputController.inputSelectRoute();
+ if (selectRouteFunc.equals("B")) {
+ return;
+ }
+
+ Station start = inputStartStation(inputController);
+ Station end = inputEndStation(inputController, start);
+
+ subwayController.calculateAndPrintRoute(selectRouteFunc, start, end);
+ }
+
+ private static Station inputStartStation(InputController inputController) {
+ String stationName = inputController.inputStartStation();
+ return new Station(stationName);
+ }
+
+ private static Station inputEndStation(InputController inputController, Station start) {
+ String stationName = inputController.inputEndStation(start.getName());
+ return new Station(stationName);
}
}
+ | Java | Q๋ 1๊ฐ์ ๊ฐ์ Function enumํด๋์ค๋ก ์ ๊ทผํด์ ์์ฑํ์
จ์ ์ ์์ ๊ฒ ๊ฐ์์! |
@@ -0,0 +1,44 @@
+package subway.service;
+
+import static subway.domain.RouteInfo.calculateTotalDistance;
+import static subway.domain.RouteInfo.calculateTotalTime;
+import static subway.domain.RouteInfo.values;
+
+import java.util.List;
+import org.jgrapht.GraphPath;
+import org.jgrapht.alg.shortestpath.DijkstraShortestPath;
+import org.jgrapht.graph.DefaultWeightedEdge;
+import org.jgrapht.graph.WeightedMultigraph;
+import subway.domain.Result;
+import subway.domain.RouteInfo;
+import subway.domain.Station;
+
+public class MinimumTimeService {
+ public Result calculate(Station start, Station end) {
+ WeightedMultigraph<String, DefaultWeightedEdge> graph = createGraph(values());
+
+ DijkstraShortestPath<String, DefaultWeightedEdge> dijkstraShortestPath =
+ new DijkstraShortestPath<>(graph);
+
+ GraphPath<String, DefaultWeightedEdge> shortestPath =
+ dijkstraShortestPath.getPath(start.getName(), end.getName());
+
+ List<DefaultWeightedEdge> edges = shortestPath.getEdgeList();
+
+ int totalDistance = calculateTotalDistance(graph, edges);
+ int totalTime = calculateTotalTime(graph, edges);
+
+ return Result.createResult(totalDistance, totalTime, shortestPath.getVertexList());
+ }
+
+ private WeightedMultigraph<String, DefaultWeightedEdge> createGraph(RouteInfo[] routeInfos) {
+ WeightedMultigraph<String, DefaultWeightedEdge> graph =
+ new WeightedMultigraph<>(DefaultWeightedEdge.class);
+
+ for (RouteInfo routeInfo : routeInfos) {
+ routeInfo.calculateMinimumTime(graph, routeInfo);
+ }
+
+ return graph;
+ }
+}
\ No newline at end of file | Java | ์คํธ!! ๊ฐ์ฒด ์์ฑํ๋ ์ฝ๋๋ฅผ ๋ถ๋ฆฌ์์ผฐ๊ตฐ์!! ๋ฐฐ์๊ฐ๋๋ค..!! |
@@ -0,0 +1,59 @@
+package subway.view.Input;
+
+import subway.validation.EndStationValidation;
+import subway.validation.MainFunctionValidation;
+import subway.validation.SelectRouteValidation;
+import subway.validation.StartStationValidation;
+
+public class InputView {
+ private final MainFunctionValidation mainFunctionValidation;
+ private final SelectRouteValidation selectRouteValidation;
+ private final StartStationValidation startStationValidation;
+ private final EndStationValidation endStationValidation;
+
+ public InputView(MainFunctionValidation mainFunctionValidation, SelectRouteValidation selectRouteValidation,
+ StartStationValidation startStationValidation, EndStationValidation endStationValidation) {
+ this.mainFunctionValidation = mainFunctionValidation;
+ this.selectRouteValidation = selectRouteValidation;
+ this.startStationValidation = startStationValidation;
+ this.endStationValidation = endStationValidation;
+ }
+
+ public String readMainFunc(String input) {
+ return mainFunctionValidate(input);
+ }
+
+ public String readSelectRoute(String input) {
+ return selectRouteValidate(input);
+ }
+
+ public String readStartStation(String input) {
+ return startStationValidate(input);
+ }
+
+ public String readEndStation(String start, String input) {
+ return endStationValidate(start, input);
+ }
+
+ private String mainFunctionValidate(String input) {
+ mainFunctionValidation.isBlank(input);
+ return mainFunctionValidation.isOneOrQ(input);
+ }
+
+ private String selectRouteValidate(String input) {
+ selectRouteValidation.isBlank(input);
+ return selectRouteValidation.isOneOrTwoOrB(input);
+ }
+
+ private String startStationValidate(String input) {
+ startStationValidation.isBlank(input);
+ return startStationValidation.isRegister(input);
+ }
+
+ private String endStationValidate(String start, String input) {
+ endStationValidation.isBlank(input);
+ endStationValidation.isRegister(input);
+ return endStationValidation.isDuplicate(start, input);
+ }
+}
+ | Java | ์ด๋ฏธ isBlank๋ฉ์๋๊ฐ static์ผ๋ก ํ ๋น๋์ด์๊ธฐ๋๋ฌธ์ mainFunctionValidation.isBlank๊ฐ ์๋, MainFunctionValidation.isBlank๋ก ํ๋๊ฒ ๋ ์ ํฉํ ๊ฒ ๊ฐ์ต๋๋ค! |
@@ -1,10 +1,113 @@
package subway;
import java.util.Scanner;
+import subway.controller.InitController;
+import subway.controller.InputController;
+import subway.controller.SubwayController;
+import subway.domain.Station;
+import subway.repository.LineRepository;
+import subway.repository.StationRepository;
+import subway.service.LineService;
+import subway.service.MinimumTimeService;
+import subway.service.ShortestPathService;
+import subway.service.StationService;
+import subway.validation.EndStationValidation;
+import subway.validation.MainFunctionValidation;
+import subway.validation.SelectRouteValidation;
+import subway.validation.StartStationValidation;
+import subway.view.Input.InputView;
+import subway.view.output.OutputView;
public class Application {
public static void main(String[] args) {
final Scanner scanner = new Scanner(System.in);
- // TODO: ํ๋ก๊ทธ๋จ ๊ตฌํ
+
+ // ๊ฐ์ฒด ์์ฑ
+ InputView inputView = createInputView();
+ OutputView outputView = new OutputView();
+
+ StationService stationService = createStationService(new StationRepository());
+ LineService lineService = createLineService(new LineRepository());
+ ShortestPathService shortestPathService = new ShortestPathService();
+ MinimumTimeService minimumTimeService = new MinimumTimeService();
+
+ InitController initController = createInitController(stationService, lineService);
+ InputController inputController = createInputController(inputView, outputView, scanner);
+ SubwayController subwayController = createSubwayController(shortestPathService, minimumTimeService, outputView);
+
+ // ๋ฉ์๋ ํธ์ถ
+ executeControllers(initController, inputController, subwayController);
+ }
+
+ private static InputView createInputView() {
+ MainFunctionValidation mainFunctionValidation = new MainFunctionValidation();
+ SelectRouteValidation selectRouteValidation = new SelectRouteValidation();
+ StartStationValidation startStationValidation = new StartStationValidation();
+ EndStationValidation endStationValidation = new EndStationValidation();
+ return new InputView(mainFunctionValidation, selectRouteValidation, startStationValidation,
+ endStationValidation);
+ }
+
+ private static StationService createStationService(StationRepository stationRepository) {
+ return StationService.createStationService(stationRepository);
+ }
+
+ private static LineService createLineService(LineRepository lineRepository) {
+ return LineService.createLineService(lineRepository);
+ }
+
+
+ private static InitController createInitController(StationService stationService, LineService lineService) {
+ return InitController.createInitController(stationService, lineService);
+ }
+
+ private static InputController createInputController(InputView inputView, OutputView outputView, Scanner scanner) {
+ return InputController.createInputController(inputView, outputView, scanner);
+ }
+
+ private static SubwayController createSubwayController(ShortestPathService shortestPathService,
+ MinimumTimeService minimumTimeService,
+ OutputView outputView) {
+ return SubwayController.createSubwayController(shortestPathService, minimumTimeService, outputView);
+ }
+
+
+ private static void executeControllers(InitController initController, InputController inputController,
+ SubwayController subwayController) {
+ initController.init();
+
+ while (true) {
+ String mainFunc = inputController.inputMainFunc();
+ if (mainFunc.equals("Q")) {
+ System.exit(0);
+ }
+
+ if (mainFunc.equals("1")) {
+ executeRouteSelection(inputController, subwayController);
+ }
+ }
+ }
+
+ private static void executeRouteSelection(InputController inputController, SubwayController subwayController) {
+ String selectRouteFunc = inputController.inputSelectRoute();
+ if (selectRouteFunc.equals("B")) {
+ return;
+ }
+
+ Station start = inputStartStation(inputController);
+ Station end = inputEndStation(inputController, start);
+
+ subwayController.calculateAndPrintRoute(selectRouteFunc, start, end);
+ }
+
+ private static Station inputStartStation(InputController inputController) {
+ String stationName = inputController.inputStartStation();
+ return new Station(stationName);
+ }
+
+ private static Station inputEndStation(InputController inputController, Station start) {
+ String stationName = inputController.inputEndStation(start.getName());
+ return new Station(stationName);
}
}
+ | Java | ์ต์ข
์ฝํ
์์ ์ฌ์ฉํ ํ
ํ๋ฆฟ์ ๋ง๋ค๋ค๋ณด๋ ๊ฐ์ ํ์์ผ๋ก ๋ง๋ค์ด์ก๊ตฐ์ ใ
ใ
๋ค์ ๊ณ ๋ฏผํด๋ด์ผ๊ฒ ์ต๋๋ค!! |
@@ -0,0 +1,15 @@
+package config;
+
+import controller.UserController;
+import service.UserJoinService;
+
+public class AppConfig {
+
+ public static UserController userController() {
+ return new UserController(userJoinService());
+ }
+
+ public static UserJoinService userJoinService() {
+ return new UserJoinService();
+ }
+} | Java | AppConfig๋ก DI๋ฅผ ์ฃผ์
ํด์ฃผ๋ ค๋ ์๋๐ |
@@ -0,0 +1,45 @@
+package controller;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+import service.UserJoinService;
+import util.HttpRequest;
+import util.HttpResponse;
+
+public class UserController {
+ private final String HTTP_GET = "GET";
+ private final String JOIN_FORM = "/user/form.html";
+ private final String CREATE_USER_URL = "/user/create";
+ private UserJoinService userJoinService;
+ private Logger log = LoggerFactory.getLogger(getClass());
+
+ public UserController(UserJoinService userJoinService) {
+ this.userJoinService = userJoinService;
+ }
+
+ // TODO : ์๋ฌํ์ด์ง ์์ฑ, ํ์๊ฐ์
๊ฒ์ฆ
+ public String process(HttpRequest request, HttpResponse response) {
+ // GET ์์ฒญ์ธ ๊ฒฝ์ฐ ๋ถ๋ฆฌ
+ if (request.getMethod().equals(HTTP_GET)) {
+ // ํ์ ๊ฐ์
ํผ ๋ณด์ฌ์ฃผ๊ธฐ
+ if (request.getUrl().equals(JOIN_FORM)) {
+ return JOIN_FORM;
+ }
+ // ํ์๊ฐ์
์ผ ๊ฒฝ์ฐ
+ if (request.getUrl().equals(CREATE_USER_URL)) {
+ return addUser(request.getQueryString(), response);
+ }
+ }
+
+ return "/error";
+ }
+
+ private String addUser(String queryParameters, HttpResponse response) {
+ userJoinService.addUser(queryParameters);
+
+ response.setStatus(302);
+ response.setHeader("Location", "/index.html");
+ return response.getResponse();
+ }
+
+} | Java | ```suggestion
if (request.getUrl().equals(JOIN_FORM)) {
return JOIN_FORM;
}
```
๋ ๊ฐ ๊ฐ์ด ๊ฐ์์ ์ด ์ฝ๋์ ๊ฐ์ ์๋ฏธ์
๋๋ค. |
@@ -0,0 +1,45 @@
+package controller;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+import service.UserJoinService;
+import util.HttpRequest;
+import util.HttpResponse;
+
+public class UserController {
+ private final String HTTP_GET = "GET";
+ private final String JOIN_FORM = "/user/form.html";
+ private final String CREATE_USER_URL = "/user/create";
+ private UserJoinService userJoinService;
+ private Logger log = LoggerFactory.getLogger(getClass());
+
+ public UserController(UserJoinService userJoinService) {
+ this.userJoinService = userJoinService;
+ }
+
+ // TODO : ์๋ฌํ์ด์ง ์์ฑ, ํ์๊ฐ์
๊ฒ์ฆ
+ public String process(HttpRequest request, HttpResponse response) {
+ // GET ์์ฒญ์ธ ๊ฒฝ์ฐ ๋ถ๋ฆฌ
+ if (request.getMethod().equals(HTTP_GET)) {
+ // ํ์ ๊ฐ์
ํผ ๋ณด์ฌ์ฃผ๊ธฐ
+ if (request.getUrl().equals(JOIN_FORM)) {
+ return JOIN_FORM;
+ }
+ // ํ์๊ฐ์
์ผ ๊ฒฝ์ฐ
+ if (request.getUrl().equals(CREATE_USER_URL)) {
+ return addUser(request.getQueryString(), response);
+ }
+ }
+
+ return "/error";
+ }
+
+ private String addUser(String queryParameters, HttpResponse response) {
+ userJoinService.addUser(queryParameters);
+
+ response.setStatus(302);
+ response.setHeader("Location", "/index.html");
+ return response.getResponse();
+ }
+
+} | Java | response ๊ตฌ์กฐ๋ฅผ ์ ๊ทน ์ฝ๋์ ๋ฐ์ํ์
จ๋ค์! |
@@ -0,0 +1,45 @@
+package controller;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+import service.UserJoinService;
+import util.HttpRequest;
+import util.HttpResponse;
+
+public class UserController {
+ private final String HTTP_GET = "GET";
+ private final String JOIN_FORM = "/user/form.html";
+ private final String CREATE_USER_URL = "/user/create";
+ private UserJoinService userJoinService;
+ private Logger log = LoggerFactory.getLogger(getClass());
+
+ public UserController(UserJoinService userJoinService) {
+ this.userJoinService = userJoinService;
+ }
+
+ // TODO : ์๋ฌํ์ด์ง ์์ฑ, ํ์๊ฐ์
๊ฒ์ฆ
+ public String process(HttpRequest request, HttpResponse response) {
+ // GET ์์ฒญ์ธ ๊ฒฝ์ฐ ๋ถ๋ฆฌ
+ if (request.getMethod().equals(HTTP_GET)) {
+ // ํ์ ๊ฐ์
ํผ ๋ณด์ฌ์ฃผ๊ธฐ
+ if (request.getUrl().equals(JOIN_FORM)) {
+ return JOIN_FORM;
+ }
+ // ํ์๊ฐ์
์ผ ๊ฒฝ์ฐ
+ if (request.getUrl().equals(CREATE_USER_URL)) {
+ return addUser(request.getQueryString(), response);
+ }
+ }
+
+ return "/error";
+ }
+
+ private String addUser(String queryParameters, HttpResponse response) {
+ userJoinService.addUser(queryParameters);
+
+ response.setStatus(302);
+ response.setHeader("Location", "/index.html");
+ return response.getResponse();
+ }
+
+} | Java | ์ด ๋ถ๋ถ์ ์์ ๊ณ ๋ฒ์ฉ์ ์ธ ๋ฉ์๋๋ก ๋ฐ๋ก ๋นผ์ ๋ฆฌํฉํ ๋งํ ์ ์์ ๊ฒ ๊ฐ์์. |
@@ -0,0 +1,56 @@
+package util;
+
+public class HttpRequest {
+
+ private String method;
+ private String url;
+ private String queryString;
+
+ public HttpRequest(String line) {
+ String[] splitHeader = line.split(" ");
+ // uriPath = ์ ์ฒด uri (์ฟผ๋ฆฌ ํ๋ผ๋ฏธํฐ ๋ถ๋ฆฌ ์ )
+ String uriPath = getURIPath(splitHeader);
+
+ // ์ฟผ๋ฆฌ ํ๋ผ๋ฏธํฐ ๋ถ๋ฆฌ ํ url
+ this.url = getPath(uriPath);
+ this.method = splitHeader[0];
+ this.queryString = getQueryParameters(uriPath);
+ }
+
+ public String getMethod() {
+ return method;
+ }
+
+ public String getUrl() {
+ return url;
+ }
+
+ public String getQueryString() {
+ return queryString;
+ }
+
+ @Override
+ public String toString() {
+ return "HttpRequest{" +
+ "method='" + method + '\'' +
+ ", url='" + url + '\'' +
+ ", queryString='" + queryString + '\'' +
+ '}';
+ }
+
+ private String getURIPath(String[] splitHeader) {
+ return splitHeader[1];
+ }
+
+ private String getPath(String uriPath) {
+ return uriPath.split("\\?")[0];
+ }
+
+ private String getQueryParameters(String uriPath) {
+ String[] split = uriPath.split("\\?");
+ if (split.length > 1) {
+ return split[1];
+ }
+ return "";
+ }
+} | Java | ์ฟผ๋ฆฌ๋ฅผ String์ผ๋ก ์ ์ฅํ๋๋ก ๊ตฌํํ์ ์ด์ ๊ฐ ์๋์? |
@@ -0,0 +1,81 @@
+package util;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+
+import java.io.DataOutputStream;
+import java.io.File;
+import java.io.IOException;
+import java.io.OutputStream;
+import java.nio.file.Files;
+import java.util.HashMap;
+import java.util.Map;
+
+public class HttpResponse {
+
+ private Logger log = LoggerFactory.getLogger(getClass());
+ private int status;
+ private Map<String, String> headers = new HashMap<>();
+
+ public void processResponse(String path, HttpResponse response, OutputStream out) throws IOException {
+ String contentType = response.getContentType(path);
+ byte[] body = findBody(contentType, path);
+ DataOutputStream dos = new DataOutputStream(out);
+ responseHeader(dos, body.length, contentType);
+ responseBody(dos, body);
+ }
+
+
+ private void responseHeader(DataOutputStream dos, int lengthOfBodyContent, String contentType) {
+ try {
+ dos.writeBytes("HTTP/1.1 " + status + " " + getStatusCode(status) + "\r\n");
+ dos.writeBytes("Content-Type: " + contentType + "\r\n");
+ dos.writeBytes("Content-Length: " + lengthOfBodyContent + "\r\n");
+
+ for (Map.Entry<String, String> header : headers.entrySet()) {
+ dos.writeBytes(header.getKey() + ": " + header.getValue() + "\r\n");
+ }
+
+ dos.writeBytes("\r\n");
+ } catch (IOException e) {
+ log.error(e.getMessage());
+ }
+ }
+
+ private void responseBody(DataOutputStream dos, byte[] body) {
+ try {
+ dos.write(body, 0, body.length);
+ dos.flush();
+ } catch (IOException e) {
+ log.error(e.getMessage());
+ }
+ }
+
+ private String getContentType(String path) {
+ return ContentType.findContentType(path).getValue();
+ }
+
+ private byte[] findBody(String contentType, String path) throws IOException {
+ return Files.readAllBytes(new File(ResponseBody.findResponseBody(contentType).getPath() + path).toPath());
+ }
+
+ public void setStatus(int status) {
+ this.status = status;
+ }
+
+ public void setHeader(String name, String value) {
+ headers.put(name, value);
+ }
+
+ private String getStatusCode(int status) {
+ if (status == HttpStatus.MOVED_TEMPORARILY.getValue()) {
+ return HttpStatus.MOVED_TEMPORARILY.getReason();
+ }
+
+ return HttpStatus.OK.getReason();
+ }
+
+ public String getResponse() {
+ return headers.getOrDefault("Location", "");
+ }
+} | Java | path๊ฐ `/fonts/~` ์ด๋ ๊ฒ ์์ฒญ๋ค์ด์ค์ง ์๋์? |
@@ -0,0 +1,81 @@
+package util;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+
+import java.io.DataOutputStream;
+import java.io.File;
+import java.io.IOException;
+import java.io.OutputStream;
+import java.nio.file.Files;
+import java.util.HashMap;
+import java.util.Map;
+
+public class HttpResponse {
+
+ private Logger log = LoggerFactory.getLogger(getClass());
+ private int status;
+ private Map<String, String> headers = new HashMap<>();
+
+ public void processResponse(String path, HttpResponse response, OutputStream out) throws IOException {
+ String contentType = response.getContentType(path);
+ byte[] body = findBody(contentType, path);
+ DataOutputStream dos = new DataOutputStream(out);
+ responseHeader(dos, body.length, contentType);
+ responseBody(dos, body);
+ }
+
+
+ private void responseHeader(DataOutputStream dos, int lengthOfBodyContent, String contentType) {
+ try {
+ dos.writeBytes("HTTP/1.1 " + status + " " + getStatusCode(status) + "\r\n");
+ dos.writeBytes("Content-Type: " + contentType + "\r\n");
+ dos.writeBytes("Content-Length: " + lengthOfBodyContent + "\r\n");
+
+ for (Map.Entry<String, String> header : headers.entrySet()) {
+ dos.writeBytes(header.getKey() + ": " + header.getValue() + "\r\n");
+ }
+
+ dos.writeBytes("\r\n");
+ } catch (IOException e) {
+ log.error(e.getMessage());
+ }
+ }
+
+ private void responseBody(DataOutputStream dos, byte[] body) {
+ try {
+ dos.write(body, 0, body.length);
+ dos.flush();
+ } catch (IOException e) {
+ log.error(e.getMessage());
+ }
+ }
+
+ private String getContentType(String path) {
+ return ContentType.findContentType(path).getValue();
+ }
+
+ private byte[] findBody(String contentType, String path) throws IOException {
+ return Files.readAllBytes(new File(ResponseBody.findResponseBody(contentType).getPath() + path).toPath());
+ }
+
+ public void setStatus(int status) {
+ this.status = status;
+ }
+
+ public void setHeader(String name, String value) {
+ headers.put(name, value);
+ }
+
+ private String getStatusCode(int status) {
+ if (status == HttpStatus.MOVED_TEMPORARILY.getValue()) {
+ return HttpStatus.MOVED_TEMPORARILY.getReason();
+ }
+
+ return HttpStatus.OK.getReason();
+ }
+
+ public String getResponse() {
+ return headers.getOrDefault("Location", "");
+ }
+} | Java | status์ header๋ก ๋๋์ด ์ ์ฅํ๋ ๊ฒ ์ข๋ค์!! |
@@ -0,0 +1,81 @@
+package util;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+
+import java.io.DataOutputStream;
+import java.io.File;
+import java.io.IOException;
+import java.io.OutputStream;
+import java.nio.file.Files;
+import java.util.HashMap;
+import java.util.Map;
+
+public class HttpResponse {
+
+ private Logger log = LoggerFactory.getLogger(getClass());
+ private int status;
+ private Map<String, String> headers = new HashMap<>();
+
+ public void processResponse(String path, HttpResponse response, OutputStream out) throws IOException {
+ String contentType = response.getContentType(path);
+ byte[] body = findBody(contentType, path);
+ DataOutputStream dos = new DataOutputStream(out);
+ responseHeader(dos, body.length, contentType);
+ responseBody(dos, body);
+ }
+
+
+ private void responseHeader(DataOutputStream dos, int lengthOfBodyContent, String contentType) {
+ try {
+ dos.writeBytes("HTTP/1.1 " + status + " " + getStatusCode(status) + "\r\n");
+ dos.writeBytes("Content-Type: " + contentType + "\r\n");
+ dos.writeBytes("Content-Length: " + lengthOfBodyContent + "\r\n");
+
+ for (Map.Entry<String, String> header : headers.entrySet()) {
+ dos.writeBytes(header.getKey() + ": " + header.getValue() + "\r\n");
+ }
+
+ dos.writeBytes("\r\n");
+ } catch (IOException e) {
+ log.error(e.getMessage());
+ }
+ }
+
+ private void responseBody(DataOutputStream dos, byte[] body) {
+ try {
+ dos.write(body, 0, body.length);
+ dos.flush();
+ } catch (IOException e) {
+ log.error(e.getMessage());
+ }
+ }
+
+ private String getContentType(String path) {
+ return ContentType.findContentType(path).getValue();
+ }
+
+ private byte[] findBody(String contentType, String path) throws IOException {
+ return Files.readAllBytes(new File(ResponseBody.findResponseBody(contentType).getPath() + path).toPath());
+ }
+
+ public void setStatus(int status) {
+ this.status = status;
+ }
+
+ public void setHeader(String name, String value) {
+ headers.put(name, value);
+ }
+
+ private String getStatusCode(int status) {
+ if (status == HttpStatus.MOVED_TEMPORARILY.getValue()) {
+ return HttpStatus.MOVED_TEMPORARILY.getReason();
+ }
+
+ return HttpStatus.OK.getReason();
+ }
+
+ public String getResponse() {
+ return headers.getOrDefault("Location", "");
+ }
+} | Java | ์ด ํด๋์ค์์ ์ ์ฒด์ ์ผ๋ก ์ ๊ฐ ๊ตฌํํ๊ณ ์ถ์ ๋ถ๋ถ๋ค์ ์ ๋๋์ด์ฃผ์ ๊ฒ ๊ฐ์์! ๋ง์ด ๋ฐฐ์ ์ต๋๋ค |
@@ -0,0 +1,81 @@
+package util;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+
+import java.io.DataOutputStream;
+import java.io.File;
+import java.io.IOException;
+import java.io.OutputStream;
+import java.nio.file.Files;
+import java.util.HashMap;
+import java.util.Map;
+
+public class HttpResponse {
+
+ private Logger log = LoggerFactory.getLogger(getClass());
+ private int status;
+ private Map<String, String> headers = new HashMap<>();
+
+ public void processResponse(String path, HttpResponse response, OutputStream out) throws IOException {
+ String contentType = response.getContentType(path);
+ byte[] body = findBody(contentType, path);
+ DataOutputStream dos = new DataOutputStream(out);
+ responseHeader(dos, body.length, contentType);
+ responseBody(dos, body);
+ }
+
+
+ private void responseHeader(DataOutputStream dos, int lengthOfBodyContent, String contentType) {
+ try {
+ dos.writeBytes("HTTP/1.1 " + status + " " + getStatusCode(status) + "\r\n");
+ dos.writeBytes("Content-Type: " + contentType + "\r\n");
+ dos.writeBytes("Content-Length: " + lengthOfBodyContent + "\r\n");
+
+ for (Map.Entry<String, String> header : headers.entrySet()) {
+ dos.writeBytes(header.getKey() + ": " + header.getValue() + "\r\n");
+ }
+
+ dos.writeBytes("\r\n");
+ } catch (IOException e) {
+ log.error(e.getMessage());
+ }
+ }
+
+ private void responseBody(DataOutputStream dos, byte[] body) {
+ try {
+ dos.write(body, 0, body.length);
+ dos.flush();
+ } catch (IOException e) {
+ log.error(e.getMessage());
+ }
+ }
+
+ private String getContentType(String path) {
+ return ContentType.findContentType(path).getValue();
+ }
+
+ private byte[] findBody(String contentType, String path) throws IOException {
+ return Files.readAllBytes(new File(ResponseBody.findResponseBody(contentType).getPath() + path).toPath());
+ }
+
+ public void setStatus(int status) {
+ this.status = status;
+ }
+
+ public void setHeader(String name, String value) {
+ headers.put(name, value);
+ }
+
+ private String getStatusCode(int status) {
+ if (status == HttpStatus.MOVED_TEMPORARILY.getValue()) {
+ return HttpStatus.MOVED_TEMPORARILY.getReason();
+ }
+
+ return HttpStatus.OK.getReason();
+ }
+
+ public String getResponse() {
+ return headers.getOrDefault("Location", "");
+ }
+} | Java | `headers` ๋ฅผ ์ด์ฉํด์ ๋ ๋ฆฌํฉํ ๋ง ํ ์ ์์ ๊ฒ ๊ฐ์์. |
@@ -0,0 +1,56 @@
+package util;
+
+public class HttpRequest {
+
+ private String method;
+ private String url;
+ private String queryString;
+
+ public HttpRequest(String line) {
+ String[] splitHeader = line.split(" ");
+ // uriPath = ์ ์ฒด uri (์ฟผ๋ฆฌ ํ๋ผ๋ฏธํฐ ๋ถ๋ฆฌ ์ )
+ String uriPath = getURIPath(splitHeader);
+
+ // ์ฟผ๋ฆฌ ํ๋ผ๋ฏธํฐ ๋ถ๋ฆฌ ํ url
+ this.url = getPath(uriPath);
+ this.method = splitHeader[0];
+ this.queryString = getQueryParameters(uriPath);
+ }
+
+ public String getMethod() {
+ return method;
+ }
+
+ public String getUrl() {
+ return url;
+ }
+
+ public String getQueryString() {
+ return queryString;
+ }
+
+ @Override
+ public String toString() {
+ return "HttpRequest{" +
+ "method='" + method + '\'' +
+ ", url='" + url + '\'' +
+ ", queryString='" + queryString + '\'' +
+ '}';
+ }
+
+ private String getURIPath(String[] splitHeader) {
+ return splitHeader[1];
+ }
+
+ private String getPath(String uriPath) {
+ return uriPath.split("\\?")[0];
+ }
+
+ private String getQueryParameters(String uriPath) {
+ String[] split = uriPath.split("\\?");
+ if (split.length > 1) {
+ return split[1];
+ }
+ return "";
+ }
+} | Java | inline์ผ๋ก ์ค์ฌ๋ณด๋ ๊ฑด์ด๋จ๊น์? ์๋ฏธ๋ฅผ ๋๋ฌ๋ด๋ ์ง์ญ๋ณ์๊ฐ ์๋๋ผ๋ฉด ์๋ตํ๋ ํธ์ด ๊น๋ํ ๊ฑฐ๊ฐ์์. |
@@ -0,0 +1,45 @@
+package controller;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+import service.UserJoinService;
+import util.HttpRequest;
+import util.HttpResponse;
+
+public class UserController {
+ private final String HTTP_GET = "GET";
+ private final String JOIN_FORM = "/user/form.html";
+ private final String CREATE_USER_URL = "/user/create";
+ private UserJoinService userJoinService;
+ private Logger log = LoggerFactory.getLogger(getClass());
+
+ public UserController(UserJoinService userJoinService) {
+ this.userJoinService = userJoinService;
+ }
+
+ // TODO : ์๋ฌํ์ด์ง ์์ฑ, ํ์๊ฐ์
๊ฒ์ฆ
+ public String process(HttpRequest request, HttpResponse response) {
+ // GET ์์ฒญ์ธ ๊ฒฝ์ฐ ๋ถ๋ฆฌ
+ if (request.getMethod().equals(HTTP_GET)) {
+ // ํ์ ๊ฐ์
ํผ ๋ณด์ฌ์ฃผ๊ธฐ
+ if (request.getUrl().equals(JOIN_FORM)) {
+ return JOIN_FORM;
+ }
+ // ํ์๊ฐ์
์ผ ๊ฒฝ์ฐ
+ if (request.getUrl().equals(CREATE_USER_URL)) {
+ return addUser(request.getQueryString(), response);
+ }
+ }
+
+ return "/error";
+ }
+
+ private String addUser(String queryParameters, HttpResponse response) {
+ userJoinService.addUser(queryParameters);
+
+ response.setStatus(302);
+ response.setHeader("Location", "/index.html");
+ return response.getResponse();
+ }
+
+} | Java | ์์๊ฐ ๋ง์์ง๋ฉด ์ข ํท๊ฐ๋ฆด๊ฑฐ๊ฐ์์, ์๊ทธ๋์ฒ์ ๊ท์น๊ฐ์๊ฒ ์์ผ๋ฉด ์ข๊ฒ ๋ค์ |
@@ -0,0 +1,141 @@
+package com.example.firstproject.controller;
+
+import com.example.firstproject.dto.ArticleDto;
+import com.example.firstproject.dto.BoardDto;
+import com.example.firstproject.entity.Article;
+import com.example.firstproject.entity.Board;
+import com.example.firstproject.service.ArticleService;
+import com.example.firstproject.service.BoardService;
+import lombok.RequiredArgsConstructor;
+import org.springframework.stereotype.Controller;
+import org.springframework.ui.Model;
+import org.springframework.web.bind.annotation.*;
+import org.springframework.web.servlet.mvc.support.RedirectAttributes;
+
+import java.util.List;
+
+@Controller
+@RequiredArgsConstructor
+@RequestMapping("article")
+public class ArticleController {
+ private final ArticleService articleService;
+ private final BoardService boardService;
+
+ // #.๊ฒ์๋ฌผ ์กฐํ
+ @GetMapping("{id}")
+ public String readArticle(@PathVariable("id") Long id, Model model) {
+ ArticleDto article = articleService.read(id);
+ model.addAttribute("article", article);
+ return "article/read";
+ }
+
+ // #.๊ฒ์๋ฌผ ์์
+ @GetMapping("/{id}/update")
+ public String checkUpdatePasswordForm(@PathVariable("id") Long id, Model model) {
+ model.addAttribute("article", articleService.read(id));
+ return "article/updateCheck";
+ }
+ // @.๋น๋ฐ๋ฒํธ ํ์ธ
+ @PostMapping("/{id}/verify-update-password")
+ public String verifyUpdatePassword(
+ @PathVariable("id") Long id,
+ @RequestParam("password") String password
+ ) {
+ if (articleService.checkingPassword(id,password)) {
+ // ์ผ์น ํ์ ์ ์์ ํผ์ผ๋ก ์ด๋
+ return String.format("redirect:/article/%d/update-form",id);
+ } else {
+ // ํ๋ ธ์ ์ ์๋ฌ ํ์ด์ง๋ก ์ด๋
+ return "redirect:/article/{id}/password-incorrect";
+ }
+ }
+ // @.์์ ํผ
+ @GetMapping("/{id}/update-form")
+ public String editForm(@PathVariable("id") Long id, Model model) {
+ model.addAttribute("article", articleService.read(id));
+ return "article/update";
+ }
+
+ @PostMapping("/{id}/update-article")
+ public String updateArticle(
+ @PathVariable("id") Long id,
+ @RequestParam("title") String title,
+ @RequestParam("content") String content,
+ @RequestParam("password") String password
+ ) {
+ articleService.update(id,new ArticleDto(title,content,password));
+ return String.format("redirect:/article/%d", id);
+ }
+
+
+ // #.๊ฒ์๋ฌผ ์ญ์
+ @GetMapping("/{id}/delete")
+ public String checkDeletePasswordForm(@PathVariable("id") Long id, Model model) {
+ model.addAttribute("article", articleService.read(id));
+ return "article/deleteCheck";
+ }
+ // @.๋น๋ฐ๋ฒํธ ํ์ธ
+ @PostMapping("/{id}/verify-delete-password")
+ public String verifyDeletePassword(
+ @PathVariable("id") Long id,
+ @RequestParam("password") String password
+ ) {
+ if (articleService.checkingPassword(id,password)) {
+ // ์ผ์น ํ์ ์ ์ญ์ ํผ์ผ๋ก ์ด๋
+ return String.format("redirect:/article/%d/delete-form",id);
+ } else {
+ // ํ๋ ธ์ ์ ์๋ฌ ํ์ด์ง๋ก ์ด๋
+ return "redirect:/article/{id}/password-incorrect";
+ }
+ }
+ // @.์ญ์ ํผ
+ @GetMapping("/{id}/delete-form")
+ public String deleteForm(@PathVariable("id") Long id, Model model) {
+ model.addAttribute("article", articleService.read(id));
+ return "article/delete";
+ }
+
+ @PostMapping("/{id}/delete-article")
+ public String deleteArticle(@PathVariable("id") Long articleId, RedirectAttributes redirectAttributes) {
+
+ articleService.delete(articleId);
+ Board foundBoard = articleService.findBoardByArticle(articleId);
+
+ redirectAttributes.addAttribute("boardId",foundBoard.getId());
+
+ return "redirect:/boards/boardId";
+ }
+
+// @GetMapping("/{id}/delete")
+// public String deleteForm(@PathVariable("id")Long id, Model model) {
+// model.addAttribute("article",articleService.read(id));
+// return "article/delete";
+// }
+// @PostMapping("/{id}/delete-article")
+// public String deleteArticle(
+// @PathVariable("id")Long id,
+// @RequestParam("password") String password
+// ){
+//
+// articleService.delete(id,password);
+//
+// return String.format("redirect:/article/%d",id);
+// }
+
+
+ // #. ๋น๋ฐ๋ฒํธ๊ฐ ํ๋ ธ์ ์
+ @GetMapping("/{id}/password-incorrect")
+ public String incorrect(@PathVariable("id")Long id, Model model) {
+ model.addAttribute("article",articleService.read(id));
+ return "article/incorrect";
+ }
+ @PostMapping("/{id}/update-article/incorrect")
+ public String incorrectError(@PathVariable("id")Long id, Model model) {
+ model.addAttribute("article",articleService.read(id));
+ return "redirect:/article/{id}";
+ }
+
+
+
+}
+ | Java | delete ๋ฉ์๋์ articleId๋ฅผ ์ฌ์ฉํ๋ ๋ฉ์๋์ ์์ ์ ๊ณ ๋ คํด๋ณด์๋ฉด ์ข์ ๊ฒ ๊ฐ์์ |
@@ -0,0 +1,41 @@
+package com.example.firstproject.controller;
+
+import com.example.firstproject.service.ArticleService;
+import com.example.firstproject.service.BoardService;
+import lombok.RequiredArgsConstructor;
+import org.springframework.stereotype.Controller;
+import org.springframework.ui.Model;
+import org.springframework.web.bind.annotation.*;
+
+
+@Controller
+@RequiredArgsConstructor
+@RequestMapping("boards")
+public class BoardController {
+
+ private final BoardService boardService;
+ private final ArticleService articleService;
+
+
+ @GetMapping
+ public String readAllBoard(Model model){
+ model.addAttribute("boards", boardService.readAllBoard());
+ return "board/home";
+ }
+
+
+ @GetMapping("{boardId}")
+ public String readBoard(@PathVariable("boardId") Long id, Model model) {
+ model.addAttribute("board", boardService.read(id));
+ model.addAttribute("articles", boardService.readByBoardId(id));
+ return "board/board";
+ }
+
+ // "์ ์ฒด ๊ฒ์ํ"
+ @GetMapping("/entire-board")
+ public String entireBoard(Model model) {
+ model.addAttribute("articles", boardService.readAll());
+ return "board/entireBoard";
+ }
+
+} | Java | / ์ฌ๋์์ ์ ๋ฌด์ ๋ฐ๋ฅธ ์ฐจ์ด์ ์ ํจ๊ป ๊ณต๋ถํด๋ด
์๋ค |
@@ -29,14 +29,14 @@ public Game findMatchTypeById(Integer matchId) {
"FROM matches WHERE id = ?";
return jdbcTemplate.queryForObject(SQL, new Object[]{matchId},
(rs, rowNum) -> Game.builder()
- .id(rs.getInt("id"))
- .awayTeam(rs.getInt("away_team"))
- .homeTeam(rs.getInt("home_team"))
- .awayUser(rs.getInt("away_user"))
- .homeUser(rs.getInt("home_user"))
- .inning(rs.getInt("inning"))
- .isFirsthalf(rs.getBoolean("is_firsthalf"))
- .build());
+ .id(rs.getInt("id"))
+ .awayTeam(rs.getInt("away_team"))
+ .homeTeam(rs.getInt("home_team"))
+ .awayUser(rs.getInt("away_user"))
+ .homeUser(rs.getInt("home_user"))
+ .inning(rs.getInt("inning"))
+ .isFirsthalf(rs.getBoolean("is_firsthalf"))
+ .build());
}
public Game findGameById(Integer gameId) {
@@ -58,10 +58,10 @@ public Integer insertNewGame(Game matchType) {
String SQL = "INSERT INTO game (away_team, home_Team, inning, is_firsthalf) " +
"VALUES (:awayTeam, :homeTeam, :inning, :isFirsthalf)";
SqlParameterSource namedParameters = new MapSqlParameterSource()
- .addValue("awayTeam", matchType.getAwayTeam())
- .addValue("homeTeam", matchType.getHomeTeam())
- .addValue("inning", matchType.getInning())
- .addValue("isFirsthalf", matchType.isFirsthalf());
+ .addValue("awayTeam", matchType.getAwayTeam())
+ .addValue("homeTeam", matchType.getHomeTeam())
+ .addValue("inning", matchType.getInning())
+ .addValue("isFirsthalf", matchType.isFirsthalf());
KeyHolder keyHolder = new GeneratedKeyHolder();
Integer generatedGameId = namedParameterJdbcTemplate.update(SQL, namedParameters, keyHolder, new String[]{"generatedGameId"});
return keyHolder.getKey().intValue();
@@ -75,11 +75,11 @@ public List<Integer> findAllGameIds() {
public List<Game> findAllMatches() {
String SQL = "SELECT id, away_team, home_team, away_user, home_user FROM matches";
return jdbcTemplate.query(SQL, (rs, rowNum) -> Game.builder()
- .id(rs.getInt("id"))
- .awayTeam(rs.getInt("away_team"))
- .homeTeam(rs.getInt("home_team"))
- .awayUser(rs.getInt("away_user"))
- .homeUser(rs.getInt("home_user"))
- .build());
+ .id(rs.getInt("id"))
+ .awayTeam(rs.getInt("away_team"))
+ .homeTeam(rs.getInt("home_team"))
+ .awayUser(rs.getInt("away_user"))
+ .homeUser(rs.getInt("home_user"))
+ .build());
}
} | Java | ์กฐ๊ธ์ด๋ผ๋ ๋ ๋ณด๊ธฐ์ข์ ์ฝ๋๋ฅผ ์์ฑํ๊ธฐ ์ํ ๋
ธ๋ ฅ์ธ๊ฐ์. ๐ |
@@ -1,13 +1,16 @@
package kr.codesquad.baseball.dto;
-import lombok.AllArgsConstructor;
import lombok.Getter;
-import lombok.NoArgsConstructor;
import lombok.Setter;
@Getter @Setter
-@AllArgsConstructor @NoArgsConstructor
public class GameInitializingRequestDto {
private Integer matchId;
+
+ public GameInitializingRequestDto() {}
+
+ public GameInitializingRequestDto(Integer matchId) {
+ this.matchId = matchId;
+ }
} | Java | Lombok ์ฌ์ฉ์ ๋ํด์ ์กฐ๊ธ ๊บผ๋ ค์ง์๋ ๋ฉด์ด ์๋ ๊ฒ ๊ฐ์๋ฐ lombok ์ด์ ์ฐ์
๋ ๊ด์ฐฎ์์.
๋ค๋ง ๊ณตํต์ ์ผ๋ก ์ฃผ์ํด์ผ ํ ์ฌํญ๋ค์ด ์๋๋ฐ, ์๋ ๋งํฌ๋ฅผ ์ฐธ๊ณ ํด ์ฃผ์ธ์.
https://kwonnam.pe.kr/wiki/java/lombok/pitfall |
@@ -1,13 +1,10 @@
package kr.codesquad.baseball.dto.teamVO;
import com.fasterxml.jackson.annotation.JsonIgnore;
-import com.fasterxml.jackson.annotation.JsonProperty;
-import lombok.AllArgsConstructor;
import lombok.Getter;
import lombok.Setter;
@Getter @Setter
-@AllArgsConstructor
public class TeamVO {
@JsonIgnore
@@ -19,4 +16,13 @@ public class TeamVO {
@JsonIgnore
private int score;
+
+ public TeamVO() {}
+
+ public TeamVO(Integer teamId, String teamName, int totalScore, int score) {
+ this.teamId = teamId;
+ this.teamName = teamName;
+ this.totalScore = totalScore;
+ this.score = score;
+ }
} | Java | `VO`, `DTO`, ๊ทธ๋ฆฌ๊ณ ๋ชจ๋ธ ํด๋์ค๋ฅผ ์ด๋ค ๊ธฐ์ค์ผ๋ก ๊ตฌ๋ถํ์
จ๋์? |
@@ -1,13 +1,16 @@
package kr.codesquad.baseball.dto;
-import lombok.AllArgsConstructor;
import lombok.Getter;
-import lombok.NoArgsConstructor;
import lombok.Setter;
@Getter @Setter
-@AllArgsConstructor @NoArgsConstructor
public class GameInitializingRequestDto {
private Integer matchId;
+
+ public GameInitializingRequestDto() {}
+
+ public GameInitializingRequestDto(Integer matchId) {
+ this.matchId = matchId;
+ }
} | Java | ์ด์ ๋ถํฐ ๋กฌ๋ณต์ ์๋ฌด ์๊ฐ ์์ด ๊ธฐ๊ณ์ ์ผ๋ก ์ฌ์ฉ ํ๋๊ฑฐ ๊ฐ์ต๋๋ค. ์ง๋ ํ๋ก์ ํธ์ ๋น๋๋ฅผ ์จ๋ณด๋ฉด์ ๋๋์ฑ ๋กฌ๋ณต ์์ด ๊ตฌํ์ ํด๋ด์ผ๊ฒ ๋ค๋ ์๊ฐ์ด ๋ค์ด์ ํ์ด์๊ฒ ์ฐ์ง ๋ง์๊ณ ์ ์ํ๊ณ , ์ด๋ฒ ํ๋ก์ ํธ์๋ ํด๋์ค์ ๋น๋๋ฅผ ์ง์ ๋ง๋ค์ด๋ณด๊ณ ์๋๋ฐ ๊ณต๋ถ๊ฐ ๋ง์ด ๋๊ณ ์๋ค์.
์๋ ค์ฃผ์ ์ฃผ์์ฌํญ ๋งํฌ๋ ์ฝ์ด ๋ดค๋๋ฐ ๋ชจ๋ฅด๊ณ ์ด๊ฒ ์ฐธ ๋ง์๋ค๋ ์๊ฐ์ด ๋๋ค์! ๋ค์ ํ๋ก์ ํธ๋ถํฐ ์ ์ํ๋ฉฐ ์ฌ์ฉ ํ๊ฒ ์ต๋๋ค. ์กฐ์ธ ํด์ฃผ์
์ ๊ฐ์ฌํฉ๋๋ค. |
@@ -1,13 +1,10 @@
package kr.codesquad.baseball.dto.teamVO;
import com.fasterxml.jackson.annotation.JsonIgnore;
-import com.fasterxml.jackson.annotation.JsonProperty;
-import lombok.AllArgsConstructor;
import lombok.Getter;
import lombok.Setter;
@Getter @Setter
-@AllArgsConstructor
public class TeamVO {
@JsonIgnore
@@ -19,4 +16,13 @@ public class TeamVO {
@JsonIgnore
private int score;
+
+ public TeamVO() {}
+
+ public TeamVO(Integer teamId, String teamName, int totalScore, int score) {
+ this.teamId = teamId;
+ this.teamName = teamName;
+ this.totalScore = totalScore;
+ this.score = score;
+ }
} | Java | ๋ชจ๋ธ ํด๋์ค๋ DB์ ์ํฐํฐ์ ์ง์ ๋์๋๋ ํด๋์ค๋ผ ์๊ฐ ํ๊ณ , VO๋ DB์ ์ฌ๋ฌ ์ํฐํฐ ๋ฐ์ดํฐ๋ฅผ DTO์ ์๋ง๊ฒ ๊ฐ๊ณตํ ์ต์ ๋จ์(DTO์ ๋ถ๋ถ ์งํฉ), DTO๋ ํด๋ผ์ด์ธํธ์ ํต์ ์ ํ๋ ์ ์ ์์ ์ฌ์ฉ๋๋ ์ต์ข
๋ฐ์ดํฐ ํด๋์ค๋ผ๋ ๊ธฐ์ค์ ์ธ์ฐ๊ณ ์ฌ์ฉ์ ํ์์ต๋๋ค.
๋ฐฑ์๋ ์๊ตฌ ์ฌํญ์ธ(์ต์
) ํ, ์ ์ ๋ฐ์ดํฐ ๊ด๋ฆฌ ํด์ ์ผ๋์ ๋๊ณ ๋ถ๋ฅ๋ฅผ ํ๋๊ฑด๋ฐ, ๋ก์ง์ด ๋ณต์กํด์ง๋ค ๋ณด๋ VO์ ๋ชจ๋ธ ์ฌ์ด์ ๊ฒฝ๊ณ๊ฐ ๋ง์ด ๋ชจํธํด์ง๊ฑฐ ๊ฐ์ต๋๋คใ
ใ
์ด๋ฐ ๊ฒฝ์ฐ์ VO๋ผ๋ ์ฝ์ด๋ฅผ ์ฌ์ฉํ๋๊ฒ ๋ง๋๊ฑด์ง ์ ๋งคํ ์ ์ด ์์๋๋ฐ, ์๋ฌด๋๋ ๋ ๊ณต๋ถํ๊ณ ์๊ฐ์ ํด๋ด์ผ ํ ๊ฑฐ ๊ฐ์ต๋๋ค. ์กฐ์ธ ํด์ฃผ์ ๊ฒ์ฒ๋ผ ํ์ต์ ๋ ํด๋ณด๊ฒ ์ต๋๋ค! |
@@ -0,0 +1,48 @@
+/* http://meyerweb.com/eric/tools/css/reset/
+ v2.0 | 20110126
+ License: none (public domain)
+*/
+
+html, body, div, span, applet, object, iframe,
+h1, h2, h3, h4, h5, h6, p, blockquote, pre,
+a, abbr, acronym, address, big, cite, code,
+del, dfn, em, img, ins, kbd, q, s, samp,
+small, strike, strong, sub, sup, tt, var,
+b, u, i, center,
+dl, dt, dd, ol, ul, li,
+fieldset, form, label, legend,
+table, caption, tbody, tfoot, thead, tr, th, td,
+article, aside, canvas, details, embed,
+figure, figcaption, footer, header, hgroup,
+menu, nav, output, ruby, section, summary,
+time, mark, audio, video {
+ margin: 0;
+ padding: 0;
+ border: 0;
+ font-size: 100%;
+ font: inherit;
+ vertical-align: baseline;
+}
+/* HTML5 display-role reset for older browsers */
+article, aside, details, figcaption, figure,
+footer, header, hgroup, menu, nav, section {
+ display: block;
+}
+body {
+ line-height: 1;
+}
+ol, ul {
+ list-style: none;
+}
+blockquote, q {
+ quotes: none;
+}
+blockquote:before, blockquote:after,
+q:before, q:after {
+ content: '';
+ content: none;
+}
+table {
+ border-collapse: collapse;
+ border-spacing: 0;
+} | Unknown | css ๋ฆฌ์
์๊ณ ์์๋๋ฐ ๋ฆฌ๋ง์ธ๋ํ๊ณ ๊ฐ๋๋ค! |
@@ -1,9 +1,10 @@
import { useState } from "react";
-import Input from "../components/Input";
import InputBox from "../components/InputBox";
-import validation from "../utils/validation";
+import InputCheckBox from "../components/InputCheckBox";
+import validateFormInfos from "../utils/validation";
import checking from "../utils/checking";
import { useNavigate } from "react-router-dom";
+import './Signup.css';
function Signup() {
const [infos, setInfos] = useState({
@@ -14,8 +15,8 @@ function Signup() {
userName: "",
recommender: "",
allTerms: false,
- term1: false,
- term2: false,
+ term: false,
+ privacy: false,
marketing: false
});
@@ -38,7 +39,7 @@ function Signup() {
const checkedList = ["email", "phone", "userName", "recommender"]
const {id, value} = e.currentTarget;
setInfos({...infos, [id]: value});
- if (validationList.includes(id) && !validation({id, value, isValidInfos, setIsValidInfos})) {
+ if (validationList.includes(id) && !validateFormInfos({id, value, isValidInfos, setIsValidInfos})) {
if (checkedList.includes(id))
setIsCheckedInfos({...isCheckedInfos, [id]: false})
return;
@@ -49,153 +50,166 @@ function Signup() {
checking({id, value, isCheckedInfos, setIsCheckedInfos})
}
- const handleChangeInputBox = (e : React.FormEvent<HTMLInputElement>) => {
+ const handleChangeInputCheckBox = (e : React.FormEvent<HTMLInputElement>) => {
const {id, checked} = e.currentTarget;
if (id === "allTerms") {
- setInfos({...infos, allTerms: checked, term1: checked, term2: checked, marketing: checked});
+ setInfos({...infos, allTerms: checked, term: checked, privacy: checked, marketing: checked});
} else {
setInfos({...infos, [id]: checked})
if (!checked) {
setInfos({...infos, [id]: false, allTerms: false})
- } else if ((infos.term1 && infos.term2) || (infos.term2 && infos.marketing) || (infos.term1 && infos.marketing)) {
+ } else if ((infos.term && infos.privacy) || (infos.privacy && infos.marketing) || (infos.term && infos.marketing)) {
setInfos({...infos, [id]: true, allTerms: true})
}
}
}
const navigate = useNavigate();
- const handleSubmit = (e : any) => {
+ const handleSubmit = (e : React.FormEvent<HTMLFormElement>) => {
e.preventDefault();
navigate("/greeting");
}
return(
- <form onSubmit={handleSubmit}>
- <div>
+ <div className="signup">
+ <div className="signup__title">
+ ํ์๊ฐ์
+ </div>
+ <div className="signup__msg">
* ํ์๋ ํญ๋ชฉ์ ํ์๋ก ์
๋ ฅํด์ผํฉ๋๋ค
</div>
- <div>
- ์ด๋ฉ์ผ*
- <div>
- <Input
+ <form className="signup__form" onSubmit={handleSubmit}>
+ <div className="signup__form__content">
+ <InputBox
type="text"
id="email"
value={infos.email}
onChange={handleChange}
+ label="์ด๋ฉ์ผ"
+ required={true}
/>
- {isValidInfos.email ? isCheckedInfos.email ? "์ฌ์ฉ ๊ฐ๋ฅํ ์ด๋ฉ์ผ์
๋๋ค" : "์ด๋ฏธ ์ฌ์ฉ์ค์ธ ์ด๋ฉ์ผ์
๋๋ค" : "์ ํจํ์ง ์์ ์ด๋ฉ์ผ์
๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isValidInfos.email ? isCheckedInfos.email ? "์ฌ์ฉ ๊ฐ๋ฅํ ์ด๋ฉ์ผ์
๋๋ค" : "์ด๋ฏธ ์ฌ์ฉ์ค์ธ ์ด๋ฉ์ผ์
๋๋ค" : "์ ํจํ์ง ์์ ์ด๋ฉ์ผ์
๋๋ค"}
+ </div>
</div>
- </div>
- <div>
- ์ ํ๋ฒํธ*
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="text"
id="phone"
value={infos.phone}
onChange={handleChange}
+ label="์ ํ๋ฒํธ"
+ required={true}
/>
- {isValidInfos.phone ? isCheckedInfos.phone? "์ฌ์ฉ ๊ฐ๋ฅํ ์ ํ๋ฒํธ์
๋๋ค" : "์ด๋ฏธ ์ฌ์ฉ์ค์ธ ์ ํ๋ฒํธ์
๋๋ค" : "์ ํจํ์ง ์์ ์ ํ๋ฒํธ์
๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isValidInfos.phone ? isCheckedInfos.phone? "์ฌ์ฉ ๊ฐ๋ฅํ ์ ํ๋ฒํธ์
๋๋ค" : "์ด๋ฏธ ์ฌ์ฉ์ค์ธ ์ ํ๋ฒํธ์
๋๋ค" : "์ ํจํ์ง ์์ ์ ํ๋ฒํธ์
๋๋ค"}
+ </div>
</div>
- </div>
- <div>
- ๋น๋ฐ๋ฒํธ* (๋น๋ฐ๋ฒํธ๋ 8์ ์ด์, ์๋ฌธ ๋,์๋ฌธ์, ์ซ์๋ฅผ ํฌํจํด์ผํฉ๋๋ค)
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="password"
id="password"
value={infos.password}
onChange={handleChange}
+ label="๋น๋ฐ๋ฒํธ(๋น๋ฐ๋ฒํธ๋ 8์ ์ด์, ์๋ฌธ ๋,์๋ฌธ์, ์ซ์๋ฅผ ํฌํจํด์ผํฉ๋๋ค)"
+ required={true}
/>
- {isValidInfos.password ? "" : "๋น๋ฐ๋ฒํธ ํ์์ ๋ง์ง ์์ต๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isValidInfos.password ? "" : "๋น๋ฐ๋ฒํธ ํ์์ ๋ง์ง ์์ต๋๋ค"}
+ </div>
</div>
- ๋น๋ฐ๋ฒํธ ํ์ธ*
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="password"
id="repassword"
value={infos.repassword}
onChange={handleChange}
+ label="๋น๋ฐ๋ฒํธ ํ์ธ"
+ required={true}
/>
- {isCheckedInfos.password ? "" : "๋น๋ฐ๋ฒํธ๊ฐ ์ผ์นํ์ง ์์ต๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isCheckedInfos.password ? "" : "๋น๋ฐ๋ฒํธ๊ฐ ์ผ์นํ์ง ์์ต๋๋ค"}
+ </div>
</div>
- </div>
- <div>
- ์ ์ ๋ค์*
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="text"
id="userName"
value={infos.userName}
onChange={handleChange}
+ label="์ ์ ๋ค์"
+ required={true}
/>
- {isCheckedInfos.userName ? "์ฌ์ฉ ๊ฐ๋ฅํ ์ ์ ๋ค์์
๋๋ค" : "์ฌ์ฉ์ค์ธ ์ ์ ๋ค์์
๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isCheckedInfos.userName ? "์ฌ์ฉ ๊ฐ๋ฅํ ์ ์ ๋ค์์
๋๋ค" : "์ฌ์ฉ์ค์ธ ์ ์ ๋ค์์
๋๋ค"}
+ </div>
</div>
- </div>
- <div>
- ์ถ์ฒ์ธ ์ ์ ๋ค์
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="text"
id="recommender"
value={infos.recommender}
onChange={handleChange}
+ label="์ถ์ฒ์ธ ์ ์ ๋ค์"
+ required={false}
/>
- {infos.recommender && (isCheckedInfos.recommender ? "์ถ์ฒ์ธ์ด ํ์ธ๋์์ต๋๋ค" : "์ถ์ฒ์ธ์ด ํ์ธ๋์ง ์์์ต๋๋ค")}
- </div>
- </div>
- <div>
- ์ฝ๊ด ๋ฐ ๋ง์ผํ
๋์
- <div>
- ๋ชจ๋ ๋์
- <InputBox
- id="allTerms"
- checked={infos.allTerms}
- onChange={handleChangeInputBox}
- />
-
- </div>
- <div>
- ์ฝ๊ด 1*
- <InputBox
- id="term1"
- checked={infos.term1}
- onChange={handleChangeInputBox}
- />
+ <div className="signup__form__content__msg">
+ {infos.recommender && (isCheckedInfos.recommender ? "์ถ์ฒ์ธ์ด ํ์ธ๋์์ต๋๋ค" : "์ถ์ฒ์ธ์ด ํ์ธ๋์ง ์์์ต๋๋ค")}
+ </div>
</div>
- <div>
- ์ฝ๊ด2*
- <InputBox
- id="term2"
- checked={infos.term2}
- onChange={handleChangeInputBox}
- />
+ <div className="signup__form__checkbox">
+ <div className="signup__form__checkbox__title">
+ ์ฝ๊ด ๋ฐ ๋ง์ผํ
๋์
+ </div>
+ <div>
+ <InputCheckBox
+ id="allTerms"
+ checked={infos.allTerms}
+ onChange={handleChangeInputCheckBox}
+ label="๋ชจ๋ ๋์"
+ required={false}
+ />
+ <InputCheckBox
+ id="term"
+ checked={infos.term}
+ onChange={handleChangeInputCheckBox}
+ label="์ฝ๊ด"
+ required={true}
+ />
+ <InputCheckBox
+ id="privacy"
+ checked={infos.privacy}
+ onChange={handleChangeInputCheckBox}
+ label="๊ฐ์ธ์ ๋ณดํ์ฉ๋์"
+ required={true}
+ />
+ <InputCheckBox
+ id="marketing"
+ checked={infos.marketing}
+ onChange={handleChangeInputCheckBox}
+ label="๋ง์ผํ
๋์"
+ required={false}
+ />
+ </div>
</div>
- <div>
- ๋ง์ผํ
๋์
- <InputBox
- id="marketing"
- checked={infos.marketing}
- onChange={handleChangeInputBox}
+ <div className="signup__form__submit">
+ <input
+ className="signup__form__submit__input"
+ type="submit"
+ value="์ ์ถ"
+ disabled={
+ isCheckedInfos.email && isCheckedInfos.phone
+ && isValidInfos.password && isCheckedInfos.password
+ && isCheckedInfos.userName
+ && ((infos.recommender && isCheckedInfos.recommender) || !infos.recommender)
+ && infos.term && infos.privacy
+ ? false : true
+ }
/>
</div>
- </div>
- <div>
- <input
- type="submit"
- value="์ ์ถ"
- disabled={
- isCheckedInfos.email && isCheckedInfos.phone
- && isValidInfos.password && isCheckedInfos.password
- && isCheckedInfos.userName
- && ((infos.recommender && isCheckedInfos.recommender) || !infos.recommender)
- && infos.term1 && infos.term2
- ? false : true
- }
- />
- </div>
- </form>
+ </form>
+ </div>
)
}
| Unknown | ๋ณ์๋ช
๋ฐ๊พธ์ ๊ฑฐ ๊ตฟ๊ตฟ |
@@ -1,19 +1,28 @@
+import './InputBox.css';
+
type InputBoxProps = {
+ type: string;
id: string;
- checked: boolean;
- onChange: any;
+ value: string;
+ onChange: (e : React.FormEvent<HTMLInputElement>) => void;
+ label: string;
+ required: boolean;
}
-const InputBox = ({id, checked, onChange}: InputBoxProps) => {
+const InputBox = ({type, id, value, onChange, label, required}: InputBoxProps) => {
return (
- <>
+ <div className='inputBox'>
+ <div className={required ? 'inputBox__title inputBox__title__required' : 'inputBox__title'}>
+ {label}{required && '*'}
+ </div>
<input
- type="checkbox"
+ className='inputBox__input'
+ type={type}
id={id}
- checked={checked}
+ value={value}
onChange={onChange}
/>
- </>
+ </div>
)
}
| Unknown | ์ปดํฌ๋ํธ ์ด๋ฆ์ด InputBox๋๊น checkbox์ฉ input ์์๋ฅผ ์ํ ์ปดํฌ๋ํธ ๊ฐ์๋ฐ, type props๋ฅผ ์ถ๊ฐํ๊ณ checked ์์ฑ ๋์ value ์์ฑ์ผ๋ก ๋ณ๊ฒฝํ์ ์ด์ ๊ฐ ์์๊น์? |
@@ -1,19 +1,28 @@
+import './InputBox.css';
+
type InputBoxProps = {
+ type: string;
id: string;
- checked: boolean;
- onChange: any;
+ value: string;
+ onChange: (e : React.FormEvent<HTMLInputElement>) => void;
+ label: string;
+ required: boolean;
}
-const InputBox = ({id, checked, onChange}: InputBoxProps) => {
+const InputBox = ({type, id, value, onChange, label, required}: InputBoxProps) => {
return (
- <>
+ <div className='inputBox'>
+ <div className={required ? 'inputBox__title inputBox__title__required' : 'inputBox__title'}>
+ {label}{required && '*'}
+ </div>
<input
- type="checkbox"
+ className='inputBox__input'
+ type={type}
id={id}
- checked={checked}
+ value={value}
onChange={onChange}
/>
- </>
+ </div>
)
}
| Unknown | ์! ๋ฐ์ InputCheckBox๊ฐ ๋ฐ๋ก ์๊ณ ์๋์ Input์ด InputBox๋ก ๋ณ๊ฒฝ๋๊ฑฐ์๊ตฐ์. ์ ๋ ์์ ์ ๊ทธ๋๋ก Input๊ณผ InputCheckBox๊ฐ ๋ ๋์๋ณด์ฌ์..! |
@@ -1,9 +1,10 @@
import { useState } from "react";
-import Input from "../components/Input";
import InputBox from "../components/InputBox";
-import validation from "../utils/validation";
+import InputCheckBox from "../components/InputCheckBox";
+import validateFormInfos from "../utils/validation";
import checking from "../utils/checking";
import { useNavigate } from "react-router-dom";
+import './Signup.css';
function Signup() {
const [infos, setInfos] = useState({
@@ -14,8 +15,8 @@ function Signup() {
userName: "",
recommender: "",
allTerms: false,
- term1: false,
- term2: false,
+ term: false,
+ privacy: false,
marketing: false
});
@@ -38,7 +39,7 @@ function Signup() {
const checkedList = ["email", "phone", "userName", "recommender"]
const {id, value} = e.currentTarget;
setInfos({...infos, [id]: value});
- if (validationList.includes(id) && !validation({id, value, isValidInfos, setIsValidInfos})) {
+ if (validationList.includes(id) && !validateFormInfos({id, value, isValidInfos, setIsValidInfos})) {
if (checkedList.includes(id))
setIsCheckedInfos({...isCheckedInfos, [id]: false})
return;
@@ -49,153 +50,166 @@ function Signup() {
checking({id, value, isCheckedInfos, setIsCheckedInfos})
}
- const handleChangeInputBox = (e : React.FormEvent<HTMLInputElement>) => {
+ const handleChangeInputCheckBox = (e : React.FormEvent<HTMLInputElement>) => {
const {id, checked} = e.currentTarget;
if (id === "allTerms") {
- setInfos({...infos, allTerms: checked, term1: checked, term2: checked, marketing: checked});
+ setInfos({...infos, allTerms: checked, term: checked, privacy: checked, marketing: checked});
} else {
setInfos({...infos, [id]: checked})
if (!checked) {
setInfos({...infos, [id]: false, allTerms: false})
- } else if ((infos.term1 && infos.term2) || (infos.term2 && infos.marketing) || (infos.term1 && infos.marketing)) {
+ } else if ((infos.term && infos.privacy) || (infos.privacy && infos.marketing) || (infos.term && infos.marketing)) {
setInfos({...infos, [id]: true, allTerms: true})
}
}
}
const navigate = useNavigate();
- const handleSubmit = (e : any) => {
+ const handleSubmit = (e : React.FormEvent<HTMLFormElement>) => {
e.preventDefault();
navigate("/greeting");
}
return(
- <form onSubmit={handleSubmit}>
- <div>
+ <div className="signup">
+ <div className="signup__title">
+ ํ์๊ฐ์
+ </div>
+ <div className="signup__msg">
* ํ์๋ ํญ๋ชฉ์ ํ์๋ก ์
๋ ฅํด์ผํฉ๋๋ค
</div>
- <div>
- ์ด๋ฉ์ผ*
- <div>
- <Input
+ <form className="signup__form" onSubmit={handleSubmit}>
+ <div className="signup__form__content">
+ <InputBox
type="text"
id="email"
value={infos.email}
onChange={handleChange}
+ label="์ด๋ฉ์ผ"
+ required={true}
/>
- {isValidInfos.email ? isCheckedInfos.email ? "์ฌ์ฉ ๊ฐ๋ฅํ ์ด๋ฉ์ผ์
๋๋ค" : "์ด๋ฏธ ์ฌ์ฉ์ค์ธ ์ด๋ฉ์ผ์
๋๋ค" : "์ ํจํ์ง ์์ ์ด๋ฉ์ผ์
๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isValidInfos.email ? isCheckedInfos.email ? "์ฌ์ฉ ๊ฐ๋ฅํ ์ด๋ฉ์ผ์
๋๋ค" : "์ด๋ฏธ ์ฌ์ฉ์ค์ธ ์ด๋ฉ์ผ์
๋๋ค" : "์ ํจํ์ง ์์ ์ด๋ฉ์ผ์
๋๋ค"}
+ </div>
</div>
- </div>
- <div>
- ์ ํ๋ฒํธ*
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="text"
id="phone"
value={infos.phone}
onChange={handleChange}
+ label="์ ํ๋ฒํธ"
+ required={true}
/>
- {isValidInfos.phone ? isCheckedInfos.phone? "์ฌ์ฉ ๊ฐ๋ฅํ ์ ํ๋ฒํธ์
๋๋ค" : "์ด๋ฏธ ์ฌ์ฉ์ค์ธ ์ ํ๋ฒํธ์
๋๋ค" : "์ ํจํ์ง ์์ ์ ํ๋ฒํธ์
๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isValidInfos.phone ? isCheckedInfos.phone? "์ฌ์ฉ ๊ฐ๋ฅํ ์ ํ๋ฒํธ์
๋๋ค" : "์ด๋ฏธ ์ฌ์ฉ์ค์ธ ์ ํ๋ฒํธ์
๋๋ค" : "์ ํจํ์ง ์์ ์ ํ๋ฒํธ์
๋๋ค"}
+ </div>
</div>
- </div>
- <div>
- ๋น๋ฐ๋ฒํธ* (๋น๋ฐ๋ฒํธ๋ 8์ ์ด์, ์๋ฌธ ๋,์๋ฌธ์, ์ซ์๋ฅผ ํฌํจํด์ผํฉ๋๋ค)
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="password"
id="password"
value={infos.password}
onChange={handleChange}
+ label="๋น๋ฐ๋ฒํธ(๋น๋ฐ๋ฒํธ๋ 8์ ์ด์, ์๋ฌธ ๋,์๋ฌธ์, ์ซ์๋ฅผ ํฌํจํด์ผํฉ๋๋ค)"
+ required={true}
/>
- {isValidInfos.password ? "" : "๋น๋ฐ๋ฒํธ ํ์์ ๋ง์ง ์์ต๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isValidInfos.password ? "" : "๋น๋ฐ๋ฒํธ ํ์์ ๋ง์ง ์์ต๋๋ค"}
+ </div>
</div>
- ๋น๋ฐ๋ฒํธ ํ์ธ*
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="password"
id="repassword"
value={infos.repassword}
onChange={handleChange}
+ label="๋น๋ฐ๋ฒํธ ํ์ธ"
+ required={true}
/>
- {isCheckedInfos.password ? "" : "๋น๋ฐ๋ฒํธ๊ฐ ์ผ์นํ์ง ์์ต๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isCheckedInfos.password ? "" : "๋น๋ฐ๋ฒํธ๊ฐ ์ผ์นํ์ง ์์ต๋๋ค"}
+ </div>
</div>
- </div>
- <div>
- ์ ์ ๋ค์*
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="text"
id="userName"
value={infos.userName}
onChange={handleChange}
+ label="์ ์ ๋ค์"
+ required={true}
/>
- {isCheckedInfos.userName ? "์ฌ์ฉ ๊ฐ๋ฅํ ์ ์ ๋ค์์
๋๋ค" : "์ฌ์ฉ์ค์ธ ์ ์ ๋ค์์
๋๋ค"}
+ <div className="signup__form__content__msg">
+ {isCheckedInfos.userName ? "์ฌ์ฉ ๊ฐ๋ฅํ ์ ์ ๋ค์์
๋๋ค" : "์ฌ์ฉ์ค์ธ ์ ์ ๋ค์์
๋๋ค"}
+ </div>
</div>
- </div>
- <div>
- ์ถ์ฒ์ธ ์ ์ ๋ค์
- <div>
- <Input
+ <div className="signup__form__content">
+ <InputBox
type="text"
id="recommender"
value={infos.recommender}
onChange={handleChange}
+ label="์ถ์ฒ์ธ ์ ์ ๋ค์"
+ required={false}
/>
- {infos.recommender && (isCheckedInfos.recommender ? "์ถ์ฒ์ธ์ด ํ์ธ๋์์ต๋๋ค" : "์ถ์ฒ์ธ์ด ํ์ธ๋์ง ์์์ต๋๋ค")}
- </div>
- </div>
- <div>
- ์ฝ๊ด ๋ฐ ๋ง์ผํ
๋์
- <div>
- ๋ชจ๋ ๋์
- <InputBox
- id="allTerms"
- checked={infos.allTerms}
- onChange={handleChangeInputBox}
- />
-
- </div>
- <div>
- ์ฝ๊ด 1*
- <InputBox
- id="term1"
- checked={infos.term1}
- onChange={handleChangeInputBox}
- />
+ <div className="signup__form__content__msg">
+ {infos.recommender && (isCheckedInfos.recommender ? "์ถ์ฒ์ธ์ด ํ์ธ๋์์ต๋๋ค" : "์ถ์ฒ์ธ์ด ํ์ธ๋์ง ์์์ต๋๋ค")}
+ </div>
</div>
- <div>
- ์ฝ๊ด2*
- <InputBox
- id="term2"
- checked={infos.term2}
- onChange={handleChangeInputBox}
- />
+ <div className="signup__form__checkbox">
+ <div className="signup__form__checkbox__title">
+ ์ฝ๊ด ๋ฐ ๋ง์ผํ
๋์
+ </div>
+ <div>
+ <InputCheckBox
+ id="allTerms"
+ checked={infos.allTerms}
+ onChange={handleChangeInputCheckBox}
+ label="๋ชจ๋ ๋์"
+ required={false}
+ />
+ <InputCheckBox
+ id="term"
+ checked={infos.term}
+ onChange={handleChangeInputCheckBox}
+ label="์ฝ๊ด"
+ required={true}
+ />
+ <InputCheckBox
+ id="privacy"
+ checked={infos.privacy}
+ onChange={handleChangeInputCheckBox}
+ label="๊ฐ์ธ์ ๋ณดํ์ฉ๋์"
+ required={true}
+ />
+ <InputCheckBox
+ id="marketing"
+ checked={infos.marketing}
+ onChange={handleChangeInputCheckBox}
+ label="๋ง์ผํ
๋์"
+ required={false}
+ />
+ </div>
</div>
- <div>
- ๋ง์ผํ
๋์
- <InputBox
- id="marketing"
- checked={infos.marketing}
- onChange={handleChangeInputBox}
+ <div className="signup__form__submit">
+ <input
+ className="signup__form__submit__input"
+ type="submit"
+ value="์ ์ถ"
+ disabled={
+ isCheckedInfos.email && isCheckedInfos.phone
+ && isValidInfos.password && isCheckedInfos.password
+ && isCheckedInfos.userName
+ && ((infos.recommender && isCheckedInfos.recommender) || !infos.recommender)
+ && infos.term && infos.privacy
+ ? false : true
+ }
/>
</div>
- </div>
- <div>
- <input
- type="submit"
- value="์ ์ถ"
- disabled={
- isCheckedInfos.email && isCheckedInfos.phone
- && isValidInfos.password && isCheckedInfos.password
- && isCheckedInfos.userName
- && ((infos.recommender && isCheckedInfos.recommender) || !infos.recommender)
- && infos.term1 && infos.term2
- ? false : true
- }
- />
- </div>
- </form>
+ </form>
+ </div>
)
}
| Unknown | ์ ํํ ํ์
์ข์ต๋๋ค~! |
@@ -0,0 +1,28 @@
+import './InputCheckBox.css';
+
+type InputCheckBoxProps = {
+ id: string;
+ checked: boolean;
+ onChange: (e : React.FormEvent<HTMLInputElement>) => void;
+ label?: string;
+ required?: boolean;
+}
+
+const InputCheckBox = ({id, checked, onChange, label, required}: InputCheckBoxProps) => {
+ return (
+ <div className='inputCheckBox'>
+ <input
+ className='inputCheckBox__input'
+ type="checkbox"
+ id={id}
+ checked={checked}
+ onChange={onChange}
+ />
+ <label htmlFor={id} className={required ? 'inputCheckBox__title inputCheckBox__title__required' : 'inputCheckBox__title'}>
+ {label}{required && '*'}
+ </label>
+ </div>
+ )
+}
+
+export default InputCheckBox;
\ No newline at end of file | Unknown | label์ className์ ๊ฒฐ์ ํ๋ ๋ถ๋ถ์ด inputBox์ inputCheckBox์์ ๋ฐ๋ณต๋ฉ๋๋ค. ์ด ๋ถ๋ถ์ ํ์ className๊ณผ ํ๋๊ทธ์ ๋ฐ๋ผ ์ถ๊ฐ์ฌ๋ถ๊ฐ ์ ํด์ง๋ className, ๊ทธ๋ฆฌ๊ณ ํ๋๊ทธ๋ฅผ ์ธ์๋ก ๋ฐ์์ ํด๋์ค ๋ค์์ ๋ฆฌํดํด์ฃผ๋ ํจ์๋ก ๋ฐ๊ฟ๋ณด๋ฉด ์ด๋จ๊น์?
```suggestion
const InputCheckBox = ({id, checked, onChange, label, required}: InputCheckBoxProps) => {
const labelClassName = getClassNameByRequired('inputCheckBox__title', 'inputCheckBox__title__required', required);
return (
<div className='inputCheckBox'>
<input
className='inputCheckBox__input'
type="checkbox"
id={id}
checked={checked}
onChange={onChange}
/>
<label htmlFor={id} className={labelClassName}>
{label}{required && '*'}
</label>
</div>
)
}
```
```js
const getClassNameByRequired = (core:string, suffix:string, required:boolean) => {
return (required) ? `${core} ${suffix}` : `${core}`
}
``` |
@@ -0,0 +1,65 @@
+
+package basball.view;
+
+import basball.baseball.model.GameStatus;
+
+import java.util.Arrays;
+import java.util.Scanner;
+import java.util.regex.Pattern;
+
+public final class InputView {
+
+ private static final String INPUT_NUMBER_MESSAGE = "์ซ์๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์ : ";
+ private static final Scanner sc = new Scanner(System.in);
+
+ public int[] getInputNumber() {
+ System.out.print(INPUT_NUMBER_MESSAGE);
+ String next = sc.next().trim();
+
+ Validator.hasThreeNumber(next);
+
+ return getNumberArray(next);
+ }
+
+ private int[] getNumberArray(String next) {
+ return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray();
+ }
+
+ public GameStatus getRestartInput() {
+ String answer = sc.next();
+ Validator.validateAnswer(answer);
+
+ if (answer.equals("1")) {
+ return GameStatus.RUNNING;
+ }
+ return GameStatus.END;
+ }
+
+ public static class Validator {
+ private static final Pattern PATTERN = Pattern.compile("[1-9]{3}");
+
+ public static void hasThreeNumber(String next) {
+
+ if (!PATTERN.matcher(next).matches()) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ 3์๋ฆฌ ์ซ์๋ง ์
๋ ฅ ํด์ฃผ์ธ์");
+ }
+ }
+
+ public static void isDifferentNumbers(int[] numbers) {
+
+ if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ ์๋ฅผ ์
๋ ฅํด์ฃผ์ธ์");
+ }
+ }
+
+ private static boolean isSameNumber(int number1, int number2) {
+ return number1 == number2;
+ }
+
+ public static void validateAnswer(String answer) {
+ if (!answer.equals("1") && !answer.equals("2")) {
+ throw new IllegalArgumentException("1 ๋๋ 2๋ง ์
๋ ฅ ํด ์ฃผ์ธ์");
+ }
+ }
+ }
+} | Java | (nit) Inner class๋ก ๋์ค๊ฑฐ๋ฉด Validator์ ๋ด๋ถ ๋ฉ์๋ ๋ชจ๋ private์ผ๋ก ํ๋๊ฒ ์ข๊ฒ ์ด์. |
@@ -0,0 +1,65 @@
+
+package basball.view;
+
+import basball.baseball.model.GameStatus;
+
+import java.util.Arrays;
+import java.util.Scanner;
+import java.util.regex.Pattern;
+
+public final class InputView {
+
+ private static final String INPUT_NUMBER_MESSAGE = "์ซ์๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์ : ";
+ private static final Scanner sc = new Scanner(System.in);
+
+ public int[] getInputNumber() {
+ System.out.print(INPUT_NUMBER_MESSAGE);
+ String next = sc.next().trim();
+
+ Validator.hasThreeNumber(next);
+
+ return getNumberArray(next);
+ }
+
+ private int[] getNumberArray(String next) {
+ return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray();
+ }
+
+ public GameStatus getRestartInput() {
+ String answer = sc.next();
+ Validator.validateAnswer(answer);
+
+ if (answer.equals("1")) {
+ return GameStatus.RUNNING;
+ }
+ return GameStatus.END;
+ }
+
+ public static class Validator {
+ private static final Pattern PATTERN = Pattern.compile("[1-9]{3}");
+
+ public static void hasThreeNumber(String next) {
+
+ if (!PATTERN.matcher(next).matches()) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ 3์๋ฆฌ ์ซ์๋ง ์
๋ ฅ ํด์ฃผ์ธ์");
+ }
+ }
+
+ public static void isDifferentNumbers(int[] numbers) {
+
+ if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ ์๋ฅผ ์
๋ ฅํด์ฃผ์ธ์");
+ }
+ }
+
+ private static boolean isSameNumber(int number1, int number2) {
+ return number1 == number2;
+ }
+
+ public static void validateAnswer(String answer) {
+ if (!answer.equals("1") && !answer.equals("2")) {
+ throw new IllegalArgumentException("1 ๋๋ 2๋ง ์
๋ ฅ ํด ์ฃผ์ธ์");
+ }
+ }
+ }
+} | Java | ๋ฉํ ๋ ์๋
ํ์ธ์ ! ๋ต๋ณ ๋จ๊ฒจ์ฃผ์
์ ๊ฐ์ฌํฉ๋๋ค ๊ทธ๋ฐ๋ฐ Validator ๋ฅผ private ๋ก ๋ฐ๊พธ๋ฉด Balls ๋ InputView ํ
์คํธ ๊ฐ์ ๊ณณ ์์๋ ์ด๋ป๊ฒ ์ฌ์ฉํด์ผ ํ๋์ ?
์ ์๊ฐ์ผ๋ก๋ InputView ์์ get ๋ฉ์๋๋ก ์ ๊ทผ ๋ฉ์๋๋ฅผ ์ ๊ณตํ๋ ๋ฐฉ๋ฒ ๋ฟ์ธ๋ฐ ์ด๋ ๊ฒ ๋๋ฉด InputView ํ
์คํธ๋ ๊ทธ๋ ๋ค ์ณ๋ Balls ๋ถ๋ถ์์ Validator ๋ฅผ ์ฌ์ฉํ๊ธฐ ์ํด ๋ถํ์ํ๊ฒ InputView ๊ฐ์ฒด๋ฅผ ๋ง๋ค์ด์ผ ํ๋๋ฐ ๋ง์๊น์ !?
์๋๋ฉด ์ ๋ฒ์ ๋จ๊ฒจ์ฃผ์ static class ๋ก ๋ฐ๊พธ๋ผ๋๊ฒ ์ด๋ ๊ฒ ๋ฐ๊พธ๋ผ๊ณ ํ์ ๊ฒ ์๋์๋์ !?? |
@@ -0,0 +1,65 @@
+
+package basball.view;
+
+import basball.baseball.model.GameStatus;
+
+import java.util.Arrays;
+import java.util.Scanner;
+import java.util.regex.Pattern;
+
+public final class InputView {
+
+ private static final String INPUT_NUMBER_MESSAGE = "์ซ์๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์ : ";
+ private static final Scanner sc = new Scanner(System.in);
+
+ public int[] getInputNumber() {
+ System.out.print(INPUT_NUMBER_MESSAGE);
+ String next = sc.next().trim();
+
+ Validator.hasThreeNumber(next);
+
+ return getNumberArray(next);
+ }
+
+ private int[] getNumberArray(String next) {
+ return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray();
+ }
+
+ public GameStatus getRestartInput() {
+ String answer = sc.next();
+ Validator.validateAnswer(answer);
+
+ if (answer.equals("1")) {
+ return GameStatus.RUNNING;
+ }
+ return GameStatus.END;
+ }
+
+ public static class Validator {
+ private static final Pattern PATTERN = Pattern.compile("[1-9]{3}");
+
+ public static void hasThreeNumber(String next) {
+
+ if (!PATTERN.matcher(next).matches()) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ 3์๋ฆฌ ์ซ์๋ง ์
๋ ฅ ํด์ฃผ์ธ์");
+ }
+ }
+
+ public static void isDifferentNumbers(int[] numbers) {
+
+ if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ ์๋ฅผ ์
๋ ฅํด์ฃผ์ธ์");
+ }
+ }
+
+ private static boolean isSameNumber(int number1, int number2) {
+ return number1 == number2;
+ }
+
+ public static void validateAnswer(String answer) {
+ if (!answer.equals("1") && !answer.equals("2")) {
+ throw new IllegalArgumentException("1 ๋๋ 2๋ง ์
๋ ฅ ํด ์ฃผ์ธ์");
+ }
+ }
+ }
+} | Java | ์ ์ ๋จ๊ฒจ๋๋ฆฐ๊ฑด static ๊ฐ๋ณ ํด๋์ค๋ก ๋๋ผ๋ ์๊ธฐ์์ด์ ใ
ใ
์ ๊ฐ private๋ก ํ๋ผ๊ณ ๋ง์๋๋ฆฐ๊ฑด ์ฌ์ค InputView ๋ด์์๋ง ์ฐ์ฌ์ ๊ทธ๋ ๊ฒ ๋ง์๋๋ฆฐ๊ฑฐ์์ด์. ๋ง์ฝ Validator ์์ฒด๊ฐ ๋ฐ์ผ๋ก ๋์์์ ์ด์ ๊ฐ ์๋ค๋ฉด ํ
์คํธ๋ ํ์์๋๊ฑฐ๊ฒ ์ฃ . (์บก์ํ์ ์๋ฏธ์์ด์. Validator๋ฅผ ๊ฐ์ ธ๋ค ์ธ ๋ฐ๊ฐ InputView ์ธ์ ์๋ค๋ฉด ๊ตณ์ด Validator๊ฐ ์ด๋ป๊ฒ ๊ตฌํ๋์๋์ง ํ
์คํธ๋ฅผ ์ด๋ป๊ฒ ํ ์ง๋ ๊ณ ๋ฏผํ ํ์๊ฐ ์๋๊ฑฐ๊ฒ ์ฃ )
ํ์ง๋ง Validator๊ฐ ๋ค๋ฅธ๋ฐ์๋ ์ฐ์ผ๊ฑฐ๋ผ๋ฉด ๊ฐ๋ณ static ํด๋์ค๋ก ๋นผ๋๋๊ฒ ๋ ์ข์ ๊ฒ ๊ฐ์์. |
@@ -0,0 +1,65 @@
+
+package basball.view;
+
+import basball.baseball.model.GameStatus;
+
+import java.util.Arrays;
+import java.util.Scanner;
+import java.util.regex.Pattern;
+
+public final class InputView {
+
+ private static final String INPUT_NUMBER_MESSAGE = "์ซ์๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์ : ";
+ private static final Scanner sc = new Scanner(System.in);
+
+ public int[] getInputNumber() {
+ System.out.print(INPUT_NUMBER_MESSAGE);
+ String next = sc.next().trim();
+
+ Validator.hasThreeNumber(next);
+
+ return getNumberArray(next);
+ }
+
+ private int[] getNumberArray(String next) {
+ return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray();
+ }
+
+ public GameStatus getRestartInput() {
+ String answer = sc.next();
+ Validator.validateAnswer(answer);
+
+ if (answer.equals("1")) {
+ return GameStatus.RUNNING;
+ }
+ return GameStatus.END;
+ }
+
+ public static class Validator {
+ private static final Pattern PATTERN = Pattern.compile("[1-9]{3}");
+
+ public static void hasThreeNumber(String next) {
+
+ if (!PATTERN.matcher(next).matches()) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ 3์๋ฆฌ ์ซ์๋ง ์
๋ ฅ ํด์ฃผ์ธ์");
+ }
+ }
+
+ public static void isDifferentNumbers(int[] numbers) {
+
+ if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ ์๋ฅผ ์
๋ ฅํด์ฃผ์ธ์");
+ }
+ }
+
+ private static boolean isSameNumber(int number1, int number2) {
+ return number1 == number2;
+ }
+
+ public static void validateAnswer(String answer) {
+ if (!answer.equals("1") && !answer.equals("2")) {
+ throw new IllegalArgumentException("1 ๋๋ 2๋ง ์
๋ ฅ ํด ์ฃผ์ธ์");
+ }
+ }
+ }
+} | Java | ์๋
ํ์ธ์ ๋ฉํ ๋ ! `๊ฐ๋ณ static ํด๋์ค` ๋ผ๋ ๋ง์ด ์ ์ดํด๊ฐ ์๋๋๋ฐ ํน์ `Math` ํด๋์ค ์ฒ๋ผ `final ๊ณผ private ์์ฑ์` ๋ฅผ ํตํด ์์ฑ์ ๋ง๊ณ ๋จ์ง `Utils` ํด๋์ค ์ฒ๋ผ ์ฌ์ฉ ์ ์๋ฏธ ํ์๋๊ฑด๊ฐ์ ? ?์๋๋ฉด
์ธ๋ถ๋ `public ํด๋์ค` ๋ก ๋ง๋ค๊ณ ๋ด๋ถ์ `public static class` ๋ก ๋ง๋ค๋ผ๊ณ ํ์๋ ๊ฑด๊ฐ์ ??
< final ์ฌ์ฉ >
```
public final class Validator {
private Validator() {
}
private static final Pattern PATTERN = Pattern.compile("[1-9]{3}");
public static void hasThreeNumber(String next) {
if (!PATTERN.matcher(next).matches()) {
throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ 3์๋ฆฌ ์ซ์๋ง ์
๋ ฅ ํด์ฃผ์ธ์");
}
}
...
}
```
< static ์ฌ์ฉ >
```
public class Validators {
public static class Validator {
private static final Pattern PATTERN = Pattern.compile("[1-9]{3}");
public static void hasThreeNumber(String next) {
if (!PATTERN.matcher(next).matches()) {
throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ 3์๋ฆฌ ์ซ์๋ง ์
๋ ฅ ํด์ฃผ์ธ์");
}
}
...
}
}
``` |
@@ -0,0 +1,65 @@
+
+package basball.view;
+
+import basball.baseball.model.GameStatus;
+
+import java.util.Arrays;
+import java.util.Scanner;
+import java.util.regex.Pattern;
+
+public final class InputView {
+
+ private static final String INPUT_NUMBER_MESSAGE = "์ซ์๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์ : ";
+ private static final Scanner sc = new Scanner(System.in);
+
+ public int[] getInputNumber() {
+ System.out.print(INPUT_NUMBER_MESSAGE);
+ String next = sc.next().trim();
+
+ Validator.hasThreeNumber(next);
+
+ return getNumberArray(next);
+ }
+
+ private int[] getNumberArray(String next) {
+ return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray();
+ }
+
+ public GameStatus getRestartInput() {
+ String answer = sc.next();
+ Validator.validateAnswer(answer);
+
+ if (answer.equals("1")) {
+ return GameStatus.RUNNING;
+ }
+ return GameStatus.END;
+ }
+
+ public static class Validator {
+ private static final Pattern PATTERN = Pattern.compile("[1-9]{3}");
+
+ public static void hasThreeNumber(String next) {
+
+ if (!PATTERN.matcher(next).matches()) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ 3์๋ฆฌ ์ซ์๋ง ์
๋ ฅ ํด์ฃผ์ธ์");
+ }
+ }
+
+ public static void isDifferentNumbers(int[] numbers) {
+
+ if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) {
+ throw new IllegalArgumentException("์๋ก ๋ค๋ฅธ ์๋ฅผ ์
๋ ฅํด์ฃผ์ธ์");
+ }
+ }
+
+ private static boolean isSameNumber(int number1, int number2) {
+ return number1 == number2;
+ }
+
+ public static void validateAnswer(String answer) {
+ if (!answer.equals("1") && !answer.equals("2")) {
+ throw new IllegalArgumentException("1 ๋๋ 2๋ง ์
๋ ฅ ํด ์ฃผ์ธ์");
+ }
+ }
+ }
+} | Java | ์ ์..์ ๊ฐ ๋ง์๋๋ฆฐ๊ฑธ ๋๋ฌด ํฌ๊ฒ ์๊ฐํ์ ๊ฒ ๊ฐ๊ตฐ์..^^;
์ ๊ฐ ๋ง์๋๋ฆฐ๊ฑด ๋จ์ํ Validator.java ํ์ผ์ ํ๋ ๋ ๋ง๋ค์ด์ ๊ฑฐ๊ธฐ๋ค ๋ฃ๋๋ค๋ ์๊ธฐ์์ด์.
๊ทธ๋ฌ๋ฉด ๊ตณ์ด InputView์ ์ข
์์ ์ธ namespace๋ฅผ ๊ฐ์ง ํ์๊ฐ ์์ผ๋๊น์ ใ
ใ
|
@@ -88,5 +88,186 @@ export default {
display: flex;
align-items: center;
justify-content: center;
+ html,
+ body {
+ height: 100%;
+ width: 100%;
+ padding: 0;
+ margin: 0;
+ }
+ .container {
+ background: white;
+ width: 100%;
+ height: 100%;
+ display: flex;
+ flex-direction: column;
+ flex-wrap: nowrap;
+ }
+ .container .main {
+ display: flex;
+ flex: 1;
+ flex-direction: column;
+ }
+
+ .container .main-content {
+ background-color: #7278c6;
+ display: flex;
+ flex: 1;
+ height: 100%;
+ color: #f0f0f6;
+ flex-direction: column;
+ align-items: center;
+ padding-top: 20px;
+ font-weight: bold;
+ font-size: 20px;
+ }
+ .container .main-center {
+ display: flex;
+ background-color: #f7f7f7;
+ flex: 1;
+ height: 100%;
+ justify-content: center;
+
+ position: relative;
+ }
+ .main-center .car-card {
+ display: flex;
+ flex-direction: column;
+ width: 70%;
+ background-color: #ffffff;
+ justify-content: center;
+ padding: 10px 30px;
+ position: absolute;
+ top: -100px;
+ }
+ .main-center .car-card .top {
+ display: flex;
+ justify-content: center;
+ }
+ .main-center .car-card .bottom {
+ display: flex;
+ }
+
+ .main-center .car-card .bottom .left {
+ display: flex;
+ flex-direction: column;
+ flex: 1;
+ font-weight: bold;
+ }
+
+ .main-center .car-card .bottom .right {
+ display: flex;
+ flex-direction: column;
+ align-items: flex-end;
+ flex: 1;
+ }
+
+ .container .main-center-footer {
+ display: flex;
+ color: #5c63b9;
+ align-items: flex-end;
+ justify-content: start;
+ background-color: #f7f7f7;
+ font-weight: bold;
+ padding: 10px 30px;
+ }
+
+ .container .main-bottom {
+ display: flex;
+ flex: 1;
+ height: 100%;
+ flex-direction: column;
+ }
+
+ .main-bottom .content {
+ display: flex;
+ height: 100%;
+ }
+ .main-bottom .content .left {
+ display: flex;
+ flex: 1;
+ flex-direction: column;
+ justify-content: flex-start;
+ }
+
+ .main-bottom .content .right-img {
+ display: flex;
+ flex: 1;
+ align-items: flex-start;
+ justify-content: center;
+ }
+ .main-bottom .content .right-img img {
+ width: 200px;
+ height: 120px;
+ }
+
+ .main-bottom .first-line {
+ display: flex;
+ padding-left: 30px;
+ margin: 10px 0px;
+ }
+
+ .main-bottom .first-line .left-txt {
+ display: flex;
+ justify-content: center;
+ background-color: #565db7;
+ flex: 1;
+ font-size: 12px;
+ color: #f6f7fb;
+ padding: 3px;
+ }
+
+ .main-bottom .first-line .right {
+ display: flex;
+ padding-left: 10px;
+ flex: 3;
+ font-weight: bold;
+ }
+
+ .main-bottom .second-line {
+ display: flex;
+ padding-left: 30px;
+ font-size: 15px;
+ color: #5e5e5e;
+ }
+
+ .main-bottom .third-line {
+ display: flex;
+ padding-left: 30px;
+ font-size: 15px;
+ color: #c6c6d1;
+ }
+ .main-bottom .fourth-line {
+ display: flex;
+ padding-left: 30px;
+ color: #555555;
+ font-weight: bold;
+ }
+
+ .main-bottom .last-line {
+ display: flex;
+ padding: 10px;
+ border-top: solid 1px #f7f7f7;
+ }
+ .main-bottom .last-line .left {
+ display: flex;
+ justify-content: center;
+ flex: 1;
+ color: #575cb5;
+ font-weight: bold;
+ }
+ .main-bottom .last-line .right {
+ display: flex;
+ justify-content: center;
+ flex: 1;
+ color: #575cb5;
+ font-weight: bold;
+ }
+
+ .container .event {
+ display: flex;
+ flex: 1;
+ background-color: #f7f7f7;
+ }
}
</style>
\ No newline at end of file | Unknown | ์ฌ๊ธฐ์ด๋ ๊ฒํ๋ฉด์๋ผ์ |
@@ -88,5 +88,186 @@ export default {
display: flex;
align-items: center;
justify-content: center;
+ html,
+ body {
+ height: 100%;
+ width: 100%;
+ padding: 0;
+ margin: 0;
+ }
+ .container {
+ background: white;
+ width: 100%;
+ height: 100%;
+ display: flex;
+ flex-direction: column;
+ flex-wrap: nowrap;
+ }
+ .container .main {
+ display: flex;
+ flex: 1;
+ flex-direction: column;
+ }
+
+ .container .main-content {
+ background-color: #7278c6;
+ display: flex;
+ flex: 1;
+ height: 100%;
+ color: #f0f0f6;
+ flex-direction: column;
+ align-items: center;
+ padding-top: 20px;
+ font-weight: bold;
+ font-size: 20px;
+ }
+ .container .main-center {
+ display: flex;
+ background-color: #f7f7f7;
+ flex: 1;
+ height: 100%;
+ justify-content: center;
+
+ position: relative;
+ }
+ .main-center .car-card {
+ display: flex;
+ flex-direction: column;
+ width: 70%;
+ background-color: #ffffff;
+ justify-content: center;
+ padding: 10px 30px;
+ position: absolute;
+ top: -100px;
+ }
+ .main-center .car-card .top {
+ display: flex;
+ justify-content: center;
+ }
+ .main-center .car-card .bottom {
+ display: flex;
+ }
+
+ .main-center .car-card .bottom .left {
+ display: flex;
+ flex-direction: column;
+ flex: 1;
+ font-weight: bold;
+ }
+
+ .main-center .car-card .bottom .right {
+ display: flex;
+ flex-direction: column;
+ align-items: flex-end;
+ flex: 1;
+ }
+
+ .container .main-center-footer {
+ display: flex;
+ color: #5c63b9;
+ align-items: flex-end;
+ justify-content: start;
+ background-color: #f7f7f7;
+ font-weight: bold;
+ padding: 10px 30px;
+ }
+
+ .container .main-bottom {
+ display: flex;
+ flex: 1;
+ height: 100%;
+ flex-direction: column;
+ }
+
+ .main-bottom .content {
+ display: flex;
+ height: 100%;
+ }
+ .main-bottom .content .left {
+ display: flex;
+ flex: 1;
+ flex-direction: column;
+ justify-content: flex-start;
+ }
+
+ .main-bottom .content .right-img {
+ display: flex;
+ flex: 1;
+ align-items: flex-start;
+ justify-content: center;
+ }
+ .main-bottom .content .right-img img {
+ width: 200px;
+ height: 120px;
+ }
+
+ .main-bottom .first-line {
+ display: flex;
+ padding-left: 30px;
+ margin: 10px 0px;
+ }
+
+ .main-bottom .first-line .left-txt {
+ display: flex;
+ justify-content: center;
+ background-color: #565db7;
+ flex: 1;
+ font-size: 12px;
+ color: #f6f7fb;
+ padding: 3px;
+ }
+
+ .main-bottom .first-line .right {
+ display: flex;
+ padding-left: 10px;
+ flex: 3;
+ font-weight: bold;
+ }
+
+ .main-bottom .second-line {
+ display: flex;
+ padding-left: 30px;
+ font-size: 15px;
+ color: #5e5e5e;
+ }
+
+ .main-bottom .third-line {
+ display: flex;
+ padding-left: 30px;
+ font-size: 15px;
+ color: #c6c6d1;
+ }
+ .main-bottom .fourth-line {
+ display: flex;
+ padding-left: 30px;
+ color: #555555;
+ font-weight: bold;
+ }
+
+ .main-bottom .last-line {
+ display: flex;
+ padding: 10px;
+ border-top: solid 1px #f7f7f7;
+ }
+ .main-bottom .last-line .left {
+ display: flex;
+ justify-content: center;
+ flex: 1;
+ color: #575cb5;
+ font-weight: bold;
+ }
+ .main-bottom .last-line .right {
+ display: flex;
+ justify-content: center;
+ flex: 1;
+ color: #575cb5;
+ font-weight: bold;
+ }
+
+ .container .event {
+ display: flex;
+ flex: 1;
+ background-color: #f7f7f7;
+ }
}
</style>
\ No newline at end of file | Unknown | ์์ ํ์ต๋๋ค |
@@ -0,0 +1,105 @@
+import { Helmet } from 'react-helmet-async';
+import titles from '../routes/titles';
+import styled from 'styled-components';
+import MainCard from './components/MainCard';
+import Tag from './components/Tag';
+import Card from './components/Card';
+import { useQuery } from 'react-query';
+import { getArticles } from '../api/ArticlesController';
+import { useState } from 'react';
+import { useNavigate } from 'react-router-dom';
+
+const BlogWrapper = styled.div`
+ display: flex;
+ flex-direction: column;
+ justify-content: center;
+ width: 100%;
+ margin: 0px 120px 0px 120px;
+`;
+
+const TagBox = styled.div`
+ display: flex;
+ gap: 10px;
+ margin-bottom: 44px;
+ margin: 0px 48px;
+`;
+
+const CardBox = styled.div`
+ display: grid;
+ grid-template-columns: repeat(2, 1fr);
+ row-gap: 3rem;
+ column-gap: 6rem;
+ margin: 44px 48px 0px 48px;
+
+ a {
+ display: flex;
+ justify-items: center;
+ justify-content: center;
+ }
+`;
+
+function BlogPage() {
+ const navigate = useNavigate();
+
+ const {
+ data: cardData,
+ isLoading,
+ error,
+ } = useQuery({
+ queryKey: ['articles'],
+ queryFn: getArticles,
+ });
+
+ const [activeTag, setActiveTag] = useState('์ ์ฒด');
+
+ if (isLoading) return 'Loading...';
+
+ if (error) return 'An error has occurred: ' + error;
+
+ if (!cardData || cardData.length === 0) return 'No data available';
+
+ const mainCardData = cardData[0];
+
+ const categories = [
+ { id: 0, text: '์ ์ฒด' },
+ { id: 1, text: '๋ฌธํ' },
+ { id: 2, text: '์๋น์ค' },
+ { id: 3, text: '์ปค๋ฆฌ์ด' },
+ ];
+
+ return (
+ <>
+ <Helmet>
+ <title>{titles.blog}</title>
+ </Helmet>
+ <BlogWrapper>
+ <MainCard
+ mainCard={mainCardData}
+ onClick={()=>navigate(`/blog/${mainCardData.articleId}`)}
+ />
+ <TagBox>
+ {categories.map((category) => (
+ <Tag
+ key={category.id}
+ text={category.text}
+ onClick={() => setActiveTag(category.text)}
+ isActive={category.text === activeTag}
+ />
+ ))}
+ </TagBox>
+ <CardBox>
+ {cardData.map((card) => (
+ <Card
+ key={card.articleId}
+ card={card}
+ isActive={card.categories[0] === activeTag || '์ ์ฒด' === activeTag }
+ onClick={()=>navigate(`/blog/${card.articleId}`)}
+ />
+ ))}
+ </CardBox>
+ </BlogWrapper>
+ </>
+ );
+}
+
+export default BlogPage; | Unknown | P4: margin์ด๋ margin-bottom ๊ฐ์ด ์ด ์ด์ ๊ฐ ์์๊น์? ํ๋๋ก ํต์ผํ๋ฉด ๋ ๊ฒ ๊ฐ์์. |
@@ -0,0 +1,105 @@
+import { Helmet } from 'react-helmet-async';
+import titles from '../routes/titles';
+import styled from 'styled-components';
+import MainCard from './components/MainCard';
+import Tag from './components/Tag';
+import Card from './components/Card';
+import { useQuery } from 'react-query';
+import { getArticles } from '../api/ArticlesController';
+import { useState } from 'react';
+import { useNavigate } from 'react-router-dom';
+
+const BlogWrapper = styled.div`
+ display: flex;
+ flex-direction: column;
+ justify-content: center;
+ width: 100%;
+ margin: 0px 120px 0px 120px;
+`;
+
+const TagBox = styled.div`
+ display: flex;
+ gap: 10px;
+ margin-bottom: 44px;
+ margin: 0px 48px;
+`;
+
+const CardBox = styled.div`
+ display: grid;
+ grid-template-columns: repeat(2, 1fr);
+ row-gap: 3rem;
+ column-gap: 6rem;
+ margin: 44px 48px 0px 48px;
+
+ a {
+ display: flex;
+ justify-items: center;
+ justify-content: center;
+ }
+`;
+
+function BlogPage() {
+ const navigate = useNavigate();
+
+ const {
+ data: cardData,
+ isLoading,
+ error,
+ } = useQuery({
+ queryKey: ['articles'],
+ queryFn: getArticles,
+ });
+
+ const [activeTag, setActiveTag] = useState('์ ์ฒด');
+
+ if (isLoading) return 'Loading...';
+
+ if (error) return 'An error has occurred: ' + error;
+
+ if (!cardData || cardData.length === 0) return 'No data available';
+
+ const mainCardData = cardData[0];
+
+ const categories = [
+ { id: 0, text: '์ ์ฒด' },
+ { id: 1, text: '๋ฌธํ' },
+ { id: 2, text: '์๋น์ค' },
+ { id: 3, text: '์ปค๋ฆฌ์ด' },
+ ];
+
+ return (
+ <>
+ <Helmet>
+ <title>{titles.blog}</title>
+ </Helmet>
+ <BlogWrapper>
+ <MainCard
+ mainCard={mainCardData}
+ onClick={()=>navigate(`/blog/${mainCardData.articleId}`)}
+ />
+ <TagBox>
+ {categories.map((category) => (
+ <Tag
+ key={category.id}
+ text={category.text}
+ onClick={() => setActiveTag(category.text)}
+ isActive={category.text === activeTag}
+ />
+ ))}
+ </TagBox>
+ <CardBox>
+ {cardData.map((card) => (
+ <Card
+ key={card.articleId}
+ card={card}
+ isActive={card.categories[0] === activeTag || '์ ์ฒด' === activeTag }
+ onClick={()=>navigate(`/blog/${card.articleId}`)}
+ />
+ ))}
+ </CardBox>
+ </BlogWrapper>
+ </>
+ );
+}
+
+export default BlogPage; | Unknown | P1: suspense๋ก ์ฎ๊ธฐ๋ ๊ฒ ๊ณต๋ถ
https://blog.jbee.io/react/React%EC%97%90%EC%84%9C+%EC%84%A0%EC%96%B8%EC%A0%81%EC%9C%BC%EB%A1%9C+%EB%B9%84%EB%8F%99%EA%B8%B0+%EB%8B%A4%EB%A3%A8%EA%B8%B0 |
@@ -0,0 +1,32 @@
+import styled from 'styled-components';
+
+const TagWrapper = styled.div<{ $isActive: boolean }>`
+ border-radius: 40px;
+ border: none;
+ padding: 14px 20px;
+ font-size: 18px;
+ cursor: pointer;
+ line-height: 22px;
+ color: ${(props) => (props.$isActive ? '#ffffff' : '#868b94')};
+ background-color: ${(props) => (props.$isActive ? '#212124' : '#f2f3f6')};
+ font-weight: ${(props) => (props.$isActive ? '600' : '400')};
+ &:hover {
+ background-color: #212124;
+ color: #ffffff;
+ font-weight: 600;
+ }
+`;
+
+interface TagProps {
+ text: string;
+ isActive: boolean;
+ onClick: () => void;
+};
+
+export default function Tag({ isActive, onClick, text }: TagProps) {
+ return (
+ <TagWrapper $isActive={isActive} onClick={onClick}>
+ {text}
+ </TagWrapper>
+ );
+} | Unknown | P3: ์ดํ์ css variables๋ก ๋นผ์ ๊ด๋ฆฌํ๋ฉด ์ข์ ๊ฒ ๊ฐ์์. |
@@ -0,0 +1,31 @@
+class VisitDateError {
+ #notInputDate(visitDate) {
+ if (visitDate.length === 0) {
+ throw new Error('[ERROR] ๋ฐฉ๋ฌธ ๋ ์ง๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #dateNotNum(visitDate) {
+ if (
+ Number.isNaN(Number(visitDate)) ||
+ Number.isInteger(Number(visitDate)) === false ||
+ visitDate.includes('.')
+ ) {
+ throw new Error('[ERROR] ์ ํจํ์ง ์์ ๋ ์ง์
๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #dateNotInRange(visitDate) {
+ if (Number(visitDate) < 1 || Number(visitDate) > 31) {
+ throw new Error('[ERROR] ์ ํจํ์ง ์์ ๋ ์ง์
๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ valid(visitDate) {
+ this.#notInputDate(visitDate);
+ this.#dateNotNum(visitDate);
+ this.#dateNotInRange(visitDate);
+ }
+}
+
+export default VisitDateError; | JavaScript | ํด๋น ๋ถ๋ถ ์ ๊ท ํํ์์ผ๋ก ํ๋ฉด if๋ฌธ์ ํ๋๋ก ์ค์ผ ์ ์์ ๊ฒ ๊ฐ์ต๋๋ค ! |
@@ -0,0 +1,31 @@
+class VisitDateError {
+ #notInputDate(visitDate) {
+ if (visitDate.length === 0) {
+ throw new Error('[ERROR] ๋ฐฉ๋ฌธ ๋ ์ง๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #dateNotNum(visitDate) {
+ if (
+ Number.isNaN(Number(visitDate)) ||
+ Number.isInteger(Number(visitDate)) === false ||
+ visitDate.includes('.')
+ ) {
+ throw new Error('[ERROR] ์ ํจํ์ง ์์ ๋ ์ง์
๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #dateNotInRange(visitDate) {
+ if (Number(visitDate) < 1 || Number(visitDate) > 31) {
+ throw new Error('[ERROR] ์ ํจํ์ง ์์ ๋ ์ง์
๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ valid(visitDate) {
+ this.#notInputDate(visitDate);
+ this.#dateNotNum(visitDate);
+ this.#dateNotInRange(visitDate);
+ }
+}
+
+export default VisitDateError; | JavaScript | ํด๋น ๋ฌธ๊ตฌ๋ constant์ ๋ฐ๋ก error.js๋ฅผ ์์ฑํ์
์ ํ์๋ฉด ์ข์ ๊ฒ ๊ฐ์ต๋๋ค ! |
@@ -0,0 +1,61 @@
+import { MENU_NAMES, MENUS } from '../../constant/menu.js';
+
+class OrderMenuError {
+ #orderNotInput(orderMenu) {
+ if (
+ orderMenu.length === 1 &&
+ orderMenu[0].menu.trim() === ''
+ ) {
+ throw new Error('[ERROR] ์ฃผ๋ฌธํ์ค ๋ฉ๋ด์ ๊ฐ์๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #orderWrongInput(orderMenu) {
+ if (!orderMenu
+ .every((order) => Number.isNaN(order.cnt) === false &&
+ Number.isInteger(order.cnt) &&
+ order.cnt > 0)
+ ) {
+ throw new Error('[ERROR] ์ ํจํ์ง ์์ ์ฃผ๋ฌธ์
๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #orderNotExistMenu(orderMenu) {
+ if (!orderMenu.every((order) => MENU_NAMES.includes(order.menu))) {
+ throw new Error('[ERROR] ์ ํจํ์ง ์์ ์ฃผ๋ฌธ์
๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #orderDuplication(orderMenu) {
+ const originOrderMenu = orderMenu.map((order) => order.menu);
+ const setOrderMenu = new Set(originOrderMenu);
+ if (originOrderMenu.length !== setOrderMenu.size) {
+ throw new Error('[ERROR] ์ ํจํ์ง ์์ ์ฃผ๋ฌธ์
๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #orderTypeOnlyDrink(orderMenu) {
+ const DRINK = Object.keys(MENUS.Drink);
+ if (orderMenu.every((order) => DRINK.includes(order.menu))) {
+ throw new Error('[ERROR] ์๋ฃ๋ง ์ฃผ๋ฌธํ์ค ์ ์์ต๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ #totalOrderCntOverRange(orderMenu) {
+ const totalMenuCnt = orderMenu.reduce((acc, order) => acc + order.cnt, 0);
+ if (totalMenuCnt > 20) {
+ throw new Error('[ERROR] ๋ฉ๋ด๋ ์ต๋ 20๊ฐ ๊น์ง ์ฃผ๋ฌธ ๊ฐ๋ฅํฉ๋๋ค. ๋ค์ ์
๋ ฅํด ์ฃผ์ธ์.');
+ }
+ }
+
+ valid(orderMenu) {
+ this.#orderNotInput(orderMenu);
+ this.#orderWrongInput(orderMenu);
+ this.#orderNotExistMenu(orderMenu);
+ this.#orderTypeOnlyDrink(orderMenu);
+ this.#orderDuplication(orderMenu);
+ this.#totalOrderCntOverRange(orderMenu);
+ }
+}
+
+export default OrderMenuError; | JavaScript | ์ ๋ ์ค์๋ก ๋์น ๋ถ๋ถ์ด์ง๋ง 1.0์ ํฌํจํ ์ง ์ํ ์ง ๊ณ ๋ฏผํ์
จ๋ค๊ณ ํ์
จ๋๋ฐ ๊ทธ ๋ถ๋ถ ์ดํดํฉ๋๋ค...
๋ฏธ์
์ด ๋๋๊ณ ์๊ฐ๋๊ฑฐ์ง๋ง 1.0๋ ํฌํจ์ ํ๋ค๋ฉด 1.000000000000000... ๋ 1๋ก ๋๋๊ฑฐ๋ผ 0์ ๋ฌดํ๋๋ก ์
๋ ฅํ๋ฉด ๋ฌธ์ ๊ฐ ๋ฐ์ํ์ง ์์๊น ํ๋ ์ฐ๋ ค๊ฐ ๋๋๋ฐ ์ด๋ป๊ฒ ์๊ฐํ์๋์? |
@@ -0,0 +1,28 @@
+const EVENT_NAMES = ['ํฌ๋ฆฌ์ค๋ง์ค ๋๋ฐ์ด ํ ์ธ', 'ํ์ผ ํ ์ธ', '์ฃผ๋ง ํ ์ธ', 'ํน๋ณ ํ ์ธ', '์ฆ์ ์ด๋ฒคํธ'];
+
+const WEEKDAY_DISCOUNT_DATE = [
+ 3, 4, 5, 6, 7, 10, 11, 12, 13, 14, 17,
+ 18, 19, 20, 21, 24, 25, 26, 27, 28, 31,
+];
+
+const WEEKEND_DISCOUNT_DATE = [
+ 1, 2, 8, 9, 15, 16, 22, 23, 29, 30,
+];
+
+const SPECIAL_DISCOUNT_DATE = [
+ 3, 10, 17, 24, 25, 31,
+];
+
+Object.freeze(
+ EVENT_NAMES,
+ WEEKDAY_DISCOUNT_DATE,
+ WEEKEND_DISCOUNT_DATE,
+ SPECIAL_DISCOUNT_DATE,
+);
+
+export {
+ EVENT_NAMES,
+ WEEKDAY_DISCOUNT_DATE,
+ WEEKEND_DISCOUNT_DATE,
+ SPECIAL_DISCOUNT_DATE,
+}; | JavaScript | ํด๋น ๋ถ๋ถ์ `new Date()` ๋ฉ์๋๋ก ํํ์ด ๊ฐ๋ฅํ ๊ฒ ๊ฐ์ต๋๋ค !
`new Date()`๋ฅผ ์ฌ์ฉํ์๋ฉด 0-์ผ์์ผ ~ 6-ํ ์์ผ๋ก 0~6๊น์ง์ number๋ก ์ถ๋ ฅ๋ฉ๋๋ค ! |
@@ -0,0 +1,66 @@
+import OUTPUT from '../../utils/constant/output.js';
+import OutputView from '../../utils/view_type/OutputView.js';
+import { EVENT_NAMES } from '../../utils/constant/event.js';
+
+class PrintEventResult {
+ #totalOrderAmount(TOTAL_AMOUNT) {
+ OutputView.printOutput(`${OUTPUT.TOTAL_AMOUNT.BEFORE_DISCOUNT}`);
+ OutputView.printOutput(`${TOTAL_AMOUNT.toLocaleString()}์`);
+ OutputView.printOutput('');
+ }
+
+ #giveawayMenu(GIVEAWAY_MENU) {
+ OutputView.printOutput(`${OUTPUT.MENU.GIVEAWAY_MENU}`);
+ OutputView.printOutput(`${GIVEAWAY_MENU}`);
+ OutputView.printOutput('');
+ }
+
+ #eventDetails(EVENT_DETAILS_RESULT) {
+ if (EVENT_DETAILS_RESULT === '์์') {
+ OutputView.printOutput(`${OUTPUT.BENEFIT.LIST}`);
+ OutputView.printOutput(`${EVENT_DETAILS_RESULT}`);
+ OutputView.printOutput('');
+ return;
+ }
+ this.#validEventDetails(EVENT_DETAILS_RESULT);
+ }
+
+ #validEventDetails(EVENT_DETAILS_RESULT) {
+ OutputView.printOutput(OUTPUT.BENEFIT.LIST);
+ Object.keys(EVENT_DETAILS_RESULT).forEach((event, idx) => {
+ if (EVENT_DETAILS_RESULT[event] > 0) {
+ OutputView.printOutput(`${EVENT_NAMES[idx]}: -${EVENT_DETAILS_RESULT[event].toLocaleString()}์`);
+ }
+ });
+ OutputView.printOutput('');
+ }
+
+ #totalBenefitAmount(BENEFIT_AMOUNT_RESULT) {
+ OutputView.printOutput(`${OUTPUT.BENEFIT.TOTAL_BENEFIT_AMOUNT}`);
+ OutputView.printOutput(`-${BENEFIT_AMOUNT_RESULT.toLocaleString()}์`);
+ OutputView.printOutput('');
+ }
+
+ #expectPaymentAmount(EXPEXT_PAYMENT_AMOUNT) {
+ OutputView.printOutput(`${OUTPUT.TOTAL_AMOUNT.AFTER_DISCOUNT}`);
+ OutputView.printOutput(`${EXPEXT_PAYMENT_AMOUNT.toLocaleString()}์`);
+ OutputView.printOutput('');
+ }
+
+ #evnetBadge(BADGE) {
+ OutputView.printOutput(`${OUTPUT.EVENT.BADGE}`);
+ OutputView.printOutput(`${BADGE}`);
+ OutputView.printOutput('');
+ }
+
+ print(AMOUNT_RESULT, BENEFIT_RESULT) {
+ this.#totalOrderAmount(AMOUNT_RESULT.TOTAL_AMOUNT);
+ this.#giveawayMenu(BENEFIT_RESULT.GIVEAWAY_MENU);
+ this.#eventDetails(BENEFIT_RESULT.EVENT_DETAILS_RESULT);
+ this.#totalBenefitAmount(AMOUNT_RESULT.BENEFIT_AMOUNT_RESULT);
+ this.#expectPaymentAmount(AMOUNT_RESULT.EXPECT_PAYMENT_AMOUNT);
+ this.#evnetBadge(BENEFIT_RESULT.BADGE);
+ }
+}
+
+export default PrintEventResult; | JavaScript | ```jsx
OutputView.printOutput('');
```
์ด ๋ฌธ๊ตฌ ๊ฐํ๋๋ฌธ์ ์
๋ ฅํ์ ๊ฒ ๊ฐ์๋ฐ `์`๋ ๋ณ์ํ ํ์
์ `์\n`์ ํ์
๋ ๋๊ณ
๊ทธ ๋ค์ ๋ฌธ๊ตฌ์ `OutputView.printOutput(${OUTPUT.EVENT.BADGE});`๊ฐ ๋์ค๋
`BADGE: '\n<12์ ์ด๋ฒคํธ ๋ฐฐ์ง>'` ์ด๋ฐ์์ผ๋ก ์ถ๊ฐํ๋ฉด ์ฝ๋๊ฐ ์กฐ๊ธ ๋ ๊น๋ํด ์ง ๊ฒ ๊ฐ์์ ! |
@@ -0,0 +1,56 @@
+import { WEEKDAY_DISCOUNT_DATE, WEEKEND_DISCOUNT_DATE, SPECIAL_DISCOUNT_DATE } from '../../utils/constant/event.js';
+import { MENUS } from '../../utils/constant/menu.js';
+
+class CalculateEventBenefit {
+ #event = {
+ christmas: 0,
+ weekday: 0,
+ weekend: 0,
+ special: 0,
+ giveaway: 0,
+ };
+
+ #christmasEvent(visitDate) {
+ if (visitDate > 0 && visitDate < 26) {
+ this.#event.christmas = 1000 + (visitDate - 1) * 100;
+ }
+ }
+
+ #specialEvent(visitDate) {
+ if (SPECIAL_DISCOUNT_DATE.includes(visitDate)) {
+ this.#event.special = 1000;
+ }
+ }
+
+ #weekdayEvent(order, DESSERT, visitDate) {
+ if (
+ WEEKDAY_DISCOUNT_DATE.includes(visitDate) &&
+ DESSERT.includes(order.menu)
+ ) {
+ this.#event.weekday += 2023 * order.cnt;
+ }
+ }
+
+ #weekendEvent(order, MAIN, visitDate) {
+ if (
+ WEEKEND_DISCOUNT_DATE.includes(visitDate) &&
+ MAIN.includes(order.menu)
+ ) {
+ this.#event.weekend += 2023 * order.cnt;
+ }
+ }
+
+ result(visitDate, orderMenu) {
+ const DESSERT = Object.keys(MENUS.Dessert);
+ const MAIN = Object.keys(MENUS.Main);
+ this.#christmasEvent(visitDate);
+ this.#specialEvent(visitDate);
+ orderMenu.forEach((order) => {
+ this.#weekdayEvent(order, DESSERT, visitDate);
+ this.#weekendEvent(order, MAIN, visitDate);
+ });
+ return this.#event;
+ }
+}
+
+export default CalculateEventBenefit; | JavaScript | ```jsx
#event = {
christmas: 0,
weekday: 0,
weekend: 0,
special: 0,
giveaway: 0,
};
```
์ด๋ ๊ฒ ์์ฑํ์ ๊ฒ ์ฒ๋ผ ํด๋น ์์ ๊ฐ๋ ๊ณ ์ ๊ฐ์ด๋ ๋ณ์ํํด์ ์๋ฏธ๋ฅผ ๋ถ์ฌํ๋ ๊ฒ๋ ๊ด์ฐฎ์ ๊ฒ ๊ฐ์ต๋๋ค ! |
@@ -0,0 +1,41 @@
+import VisitDateError from '../../../utils/error/type/visit_date_error.js';
+import printError from '../../../utils/error/print_error.js';
+import INPUT_QUESTION from '../../../utils/constant/input_question.js';
+import OUTPUT from '../../../utils/constant/output.js';
+import InputView from '../../../utils/view_type/InputView.js';
+import OutputView from '../../../utils/view_type/OutputView.js';
+
+class VisitDateManage {
+ #visitDate = null;
+
+ get getVisitDate() {
+ return this.#visitDate;
+ }
+
+ async firstGreeting() {
+ OutputView.printOutput(OUTPUT.FIRST_GREETING);
+ await this.#inputVisitDate();
+ }
+
+ async #inputVisitDate() {
+ while (true) {
+ this.#visitDate = await InputView.userInput(INPUT_QUESTION.VISIT_DATE);
+ if (this.#isValidDate()) {
+ break;
+ }
+ }
+ }
+
+ #isValidDate() {
+ const ERROR = new VisitDateError();
+ try {
+ ERROR.valid(this.#visitDate);
+ return true;
+ } catch (error) {
+ printError(error);
+ return false;
+ }
+ }
+}
+
+export default VisitDateManage; | JavaScript | ์๊ตฌ์ฌํญ์ ์๋ ๋ง์ฝ ํ์์ ๋ง์ง ์์ผ๋ฉด ์๋ก์ด ๊ฐ์ ๋ฐ์์ค๋ ๊ณผ์ ์ด ์๋๊ฒ ๊ฐ์ต๋๋ค.
(ํน์ ์ ๊ฐ ๋ชป ์ฐพ๋ ๊ฒ์ด๋ผ๋ฉด ์ ์ํด์ฃผ์๊ธฐ ๋ฐ๋๋๋ค)
ํด๋น ๊ตฌ๋ฌธ์์๋ return false๋ฅผ ํ๊ณ ๊ทธ๋ฅ break์จ์ ๋น ์ ธ ๋์จ๊ฒ ๊ฐ์๋ฐ return false ๋์ return this.#inputVisitDate() ํ๋ฉด ๋ค์ ๊ฐ์ ๋ฐ์ ์ฌ์ ์์ ๊ฒ ๊ฐ์ต๋๋ค. |
@@ -0,0 +1,48 @@
+import CalculateOrderMenu from '../../model/calculate_order_menu.js';
+import PrintOrderMenu from '../../view/print_order_menu.js';
+import OrderMenuError from '../../../utils/error/type/order_menu_error.js';
+import printError from '../../../utils/error/print_error.js';
+import INPUT_QUESTION from '../../../utils/constant/input_question.js';
+import InputView from '../../../utils/view_type/InputView.js';
+
+class OrderMenuManage {
+ #orderMenu = null;
+
+ get getOrderMenu() {
+ return this.#orderMenu;
+ }
+
+ async inputOrderMenu(visitDate) {
+ while (true) {
+ this.#orderMenu = await InputView.userInput(INPUT_QUESTION.ORDER_MENU);
+ this.#orderMenu = this.#calculateOrderMenu();
+ if (this.#isValidOrderMenu()) {
+ break;
+ }
+ }
+ this.#print(visitDate);
+ }
+
+ #calculateOrderMenu() {
+ const calculateOrderMenu = new CalculateOrderMenu();
+ return calculateOrderMenu.calculate(this.#orderMenu);
+ }
+
+ #isValidOrderMenu() {
+ const ERROR = new OrderMenuError();
+ try {
+ ERROR.valid(this.#orderMenu);
+ return true;
+ } catch (error) {
+ printError(error);
+ return false;
+ }
+ }
+
+ #print(visitDate) {
+ const printOrderMenu = new PrintOrderMenu();
+ printOrderMenu.print(visitDate, this.#orderMenu);
+ }
+}
+
+export default OrderMenuManage; | JavaScript | ์ด ๋ถ๋ถ๋ ๋ ์ง ๋ฐ์์ฌ๋์ ๋ง์ฐฌ๊ฐ์ง๋ก ์๋ชป๋ ๊ฒฝ์ฐ ์ ๊ฐ์ ๊ฐ์ ธ์ค๋ ๊ณผ์ ์ด ์์ด๋ณด์
๋๋ค |
@@ -0,0 +1,67 @@
+import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js';
+import CalculateEventDetails from '../../model/calculate_event_details.js';
+import PrintEventResult from '../../view/print_event_result.js';
+
+class EventManage {
+ #visitDate;
+ #orderMenu;
+
+ constructor(visitDate, orderMenu) {
+ this.#visitDate = Number(visitDate);
+ this.#orderMenu = orderMenu;
+ }
+
+ totalOrderAmount() {
+ const TOTAL_AMOUNT = this.#calculateTotalOrderAmount();
+ if (TOTAL_AMOUNT < 10000) {
+ return this.#printEventResult(TOTAL_AMOUNT, 0, null);
+ }
+ return this.#eventBenefit(TOTAL_AMOUNT);
+ }
+
+ #eventBenefit(TOTAL_AMOUNT) {
+ const EVENT_DETAILS = this.#calculateEventDetails();
+ EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0;
+ const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0);
+ this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS);
+ }
+
+ #calculateTotalOrderAmount() {
+ const calculateTotalOrderAmount = new CalculateTotalOrderAmount();
+ return calculateTotalOrderAmount.result(this.#orderMenu);
+ }
+
+ #calculateEventDetails() {
+ const calculateEventDetails = new CalculateEventDetails();
+ return calculateEventDetails.result(this.#visitDate, this.#orderMenu);
+ }
+
+ #eventBadgeResult(BENEFIT_AMOUNT) {
+ if (BENEFIT_AMOUNT < 5000) {
+ return '์์';
+ }
+ if (BENEFIT_AMOUNT < 10000) {
+ return '๋ณ';
+ }
+ if (BENEFIT_AMOUNT < 20000) {
+ return 'ํธ๋ฆฌ';
+ }
+ return '์ฐํ';
+ }
+
+ #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) {
+ const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ดํ์ธ 1๊ฐ' : '์์';
+ const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์์' : EVENT_DETAILS;
+ const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์์' : BENEFIT_AMOUNT;
+ const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT;
+ const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT;
+ const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT);
+
+ const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT };
+ const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE };
+ const printEventResult = new PrintEventResult();
+ printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT);
+ }
+}
+
+export default EventManage; | JavaScript | ์ด ๋ถ๋ถ์์ 10000์ด ์ด๋ค ์๋ฏธ๋ฅผ ๊ฐ๊ณ ์๋์ง ํ๋จํ๊ธฐ ํ๋ญ๋๋ค. ์ด ํ๋ก๋ ์ซ์๊ฐ ํ๋์ฝ๋ฉ ๋ ๊ฒฝ์ฐ๊ฐ ์๋๋ฐ ์๋ฏธ๋ฅผ ๊ฐ์ง ์ ์๋๋ก ์์์ชฝ์ผ๋ก ๋นผ์ฃผ๋ ๊ฒ์ ์ด๋จ๊น์? |
@@ -0,0 +1,67 @@
+import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js';
+import CalculateEventDetails from '../../model/calculate_event_details.js';
+import PrintEventResult from '../../view/print_event_result.js';
+
+class EventManage {
+ #visitDate;
+ #orderMenu;
+
+ constructor(visitDate, orderMenu) {
+ this.#visitDate = Number(visitDate);
+ this.#orderMenu = orderMenu;
+ }
+
+ totalOrderAmount() {
+ const TOTAL_AMOUNT = this.#calculateTotalOrderAmount();
+ if (TOTAL_AMOUNT < 10000) {
+ return this.#printEventResult(TOTAL_AMOUNT, 0, null);
+ }
+ return this.#eventBenefit(TOTAL_AMOUNT);
+ }
+
+ #eventBenefit(TOTAL_AMOUNT) {
+ const EVENT_DETAILS = this.#calculateEventDetails();
+ EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0;
+ const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0);
+ this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS);
+ }
+
+ #calculateTotalOrderAmount() {
+ const calculateTotalOrderAmount = new CalculateTotalOrderAmount();
+ return calculateTotalOrderAmount.result(this.#orderMenu);
+ }
+
+ #calculateEventDetails() {
+ const calculateEventDetails = new CalculateEventDetails();
+ return calculateEventDetails.result(this.#visitDate, this.#orderMenu);
+ }
+
+ #eventBadgeResult(BENEFIT_AMOUNT) {
+ if (BENEFIT_AMOUNT < 5000) {
+ return '์์';
+ }
+ if (BENEFIT_AMOUNT < 10000) {
+ return '๋ณ';
+ }
+ if (BENEFIT_AMOUNT < 20000) {
+ return 'ํธ๋ฆฌ';
+ }
+ return '์ฐํ';
+ }
+
+ #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) {
+ const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ดํ์ธ 1๊ฐ' : '์์';
+ const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์์' : EVENT_DETAILS;
+ const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์์' : BENEFIT_AMOUNT;
+ const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT;
+ const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT;
+ const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT);
+
+ const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT };
+ const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE };
+ const printEventResult = new PrintEventResult();
+ printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT);
+ }
+}
+
+export default EventManage; | JavaScript | else๋ฅผ ์ง์ํ๋ผ๊ณ ํ ๊ฒ์ ์๋ฏธ๊ฐ ๊ฑฐ์ ๋น์ทํ ์๋ฏธ๋ฅผ ๊ฐ๊ณ ์๋ ์ผํญ ์ฐ์ฐ์๋ฅผ ์ฐ๋ผ๊ณ ํ ๊ฒ์ ์๋๋ผ๊ณ ์๊ฐํ๋๋ฐ, ์ผํญ ์ฐ์ฐ์๋ฅผ ์ด ์ด์ ๊ฐ ๋ฐ๋ก ์์๊น์? |
@@ -0,0 +1,67 @@
+import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js';
+import CalculateEventDetails from '../../model/calculate_event_details.js';
+import PrintEventResult from '../../view/print_event_result.js';
+
+class EventManage {
+ #visitDate;
+ #orderMenu;
+
+ constructor(visitDate, orderMenu) {
+ this.#visitDate = Number(visitDate);
+ this.#orderMenu = orderMenu;
+ }
+
+ totalOrderAmount() {
+ const TOTAL_AMOUNT = this.#calculateTotalOrderAmount();
+ if (TOTAL_AMOUNT < 10000) {
+ return this.#printEventResult(TOTAL_AMOUNT, 0, null);
+ }
+ return this.#eventBenefit(TOTAL_AMOUNT);
+ }
+
+ #eventBenefit(TOTAL_AMOUNT) {
+ const EVENT_DETAILS = this.#calculateEventDetails();
+ EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0;
+ const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0);
+ this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS);
+ }
+
+ #calculateTotalOrderAmount() {
+ const calculateTotalOrderAmount = new CalculateTotalOrderAmount();
+ return calculateTotalOrderAmount.result(this.#orderMenu);
+ }
+
+ #calculateEventDetails() {
+ const calculateEventDetails = new CalculateEventDetails();
+ return calculateEventDetails.result(this.#visitDate, this.#orderMenu);
+ }
+
+ #eventBadgeResult(BENEFIT_AMOUNT) {
+ if (BENEFIT_AMOUNT < 5000) {
+ return '์์';
+ }
+ if (BENEFIT_AMOUNT < 10000) {
+ return '๋ณ';
+ }
+ if (BENEFIT_AMOUNT < 20000) {
+ return 'ํธ๋ฆฌ';
+ }
+ return '์ฐํ';
+ }
+
+ #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) {
+ const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ดํ์ธ 1๊ฐ' : '์์';
+ const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์์' : EVENT_DETAILS;
+ const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์์' : BENEFIT_AMOUNT;
+ const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT;
+ const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT;
+ const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT);
+
+ const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT };
+ const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE };
+ const printEventResult = new PrintEventResult();
+ printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT);
+ }
+}
+
+export default EventManage; | JavaScript | ์
๋ ฅ 2๊ฐ์ ์ด๋ฒคํธ๋ก ํด๋์ค๋ฅผ ๋๋์
จ๋๋ฐ ๋ฐฐ์ง๋ ๋๋จธ์ง ์ชฝ(ํ ์ธ์ด๋ ํํ ๋ฑ ๊ณ์ฐํํธ)์ ๊ธฐ๋ฅ์ด ๋ฌ๋ผ๋ณด์ด๋๋ฐ ๋ค๋ฅธ ํด๋์ค๋ก ๋นผ๋๊ฒ์ ์ด๋จ๊น์ |
@@ -0,0 +1,41 @@
+import VisitDateError from '../../../utils/error/type/visit_date_error.js';
+import printError from '../../../utils/error/print_error.js';
+import INPUT_QUESTION from '../../../utils/constant/input_question.js';
+import OUTPUT from '../../../utils/constant/output.js';
+import InputView from '../../../utils/view_type/InputView.js';
+import OutputView from '../../../utils/view_type/OutputView.js';
+
+class VisitDateManage {
+ #visitDate = null;
+
+ get getVisitDate() {
+ return this.#visitDate;
+ }
+
+ async firstGreeting() {
+ OutputView.printOutput(OUTPUT.FIRST_GREETING);
+ await this.#inputVisitDate();
+ }
+
+ async #inputVisitDate() {
+ while (true) {
+ this.#visitDate = await InputView.userInput(INPUT_QUESTION.VISIT_DATE);
+ if (this.#isValidDate()) {
+ break;
+ }
+ }
+ }
+
+ #isValidDate() {
+ const ERROR = new VisitDateError();
+ try {
+ ERROR.valid(this.#visitDate);
+ return true;
+ } catch (error) {
+ printError(error);
+ return false;
+ }
+ }
+}
+
+export default VisitDateManage; | JavaScript | 3์ฃผ์ฐจ ๊ณตํต ํผ๋๋ฐฑ์ "๊ฐ์ฒด๋ก๋ถํฐ ๋ฐ์ดํฐ๋ฅผ ๊บผ๋ด๋ ๊ฒ(get)์ด ์๋๋ผ, ๋ฉ์์ง๋ฅผ ๋์ง๋๋ก ๊ตฌ์กฐ๋ฅผ ๋ฐ๊ฟ ๋ฐ์ดํฐ๋ฅผ ๊ฐ์ง๋ ๊ฐ์ฒด๊ฐ ์ผํ๋๋ก ํด์ผํ๋ค"๊ณ ํ๋๋ฐ, getter๋ฅผ ์ฌ์ฉํ์ง ์๊ณ ํด๊ฒฐํ ๋ฐฉ๋ฒ์ ๊ณ ๋ฏผํด๋ณด๋ ๊ฒ๋ ์ข์ ๊ฒ ๊ฐ์ต๋๋ค. |
@@ -0,0 +1,41 @@
+import VisitDateError from '../../../utils/error/type/visit_date_error.js';
+import printError from '../../../utils/error/print_error.js';
+import INPUT_QUESTION from '../../../utils/constant/input_question.js';
+import OUTPUT from '../../../utils/constant/output.js';
+import InputView from '../../../utils/view_type/InputView.js';
+import OutputView from '../../../utils/view_type/OutputView.js';
+
+class VisitDateManage {
+ #visitDate = null;
+
+ get getVisitDate() {
+ return this.#visitDate;
+ }
+
+ async firstGreeting() {
+ OutputView.printOutput(OUTPUT.FIRST_GREETING);
+ await this.#inputVisitDate();
+ }
+
+ async #inputVisitDate() {
+ while (true) {
+ this.#visitDate = await InputView.userInput(INPUT_QUESTION.VISIT_DATE);
+ if (this.#isValidDate()) {
+ break;
+ }
+ }
+ }
+
+ #isValidDate() {
+ const ERROR = new VisitDateError();
+ try {
+ ERROR.valid(this.#visitDate);
+ return true;
+ } catch (error) {
+ printError(error);
+ return false;
+ }
+ }
+}
+
+export default VisitDateManage; | JavaScript | ๋ณ์๋ช
์ `ERROR`๋ก ํ์ ์ด์ ๊ฐ ๊ถ๊ธํฉ๋๋ค. |
@@ -0,0 +1,41 @@
+import VisitDateError from '../../../utils/error/type/visit_date_error.js';
+import printError from '../../../utils/error/print_error.js';
+import INPUT_QUESTION from '../../../utils/constant/input_question.js';
+import OUTPUT from '../../../utils/constant/output.js';
+import InputView from '../../../utils/view_type/InputView.js';
+import OutputView from '../../../utils/view_type/OutputView.js';
+
+class VisitDateManage {
+ #visitDate = null;
+
+ get getVisitDate() {
+ return this.#visitDate;
+ }
+
+ async firstGreeting() {
+ OutputView.printOutput(OUTPUT.FIRST_GREETING);
+ await this.#inputVisitDate();
+ }
+
+ async #inputVisitDate() {
+ while (true) {
+ this.#visitDate = await InputView.userInput(INPUT_QUESTION.VISIT_DATE);
+ if (this.#isValidDate()) {
+ break;
+ }
+ }
+ }
+
+ #isValidDate() {
+ const ERROR = new VisitDateError();
+ try {
+ ERROR.valid(this.#visitDate);
+ return true;
+ } catch (error) {
+ printError(error);
+ return false;
+ }
+ }
+}
+
+export default VisitDateManage; | JavaScript | (์ง๋๊ฐ๋ค) ์์ธ๊ฐ ๋ฐ์ํ์ฌ `return false`๋ฅผ ํ๋ฉด `#inputVisitDate()` ๋ฉ์๋์์ ์กฐ๊ฑด์์ ๊ฑธ๋ฆฌ์ง ์์ ๊ฒ์ด๊ณ , ๋ฌดํ ๋ฃจํ์ ์ํด ์ฌ์
๋ ฅ์ ๋ฐ๊ฒ๋ ๊ฒ ๊ฐ๋ค์!
๋ฌดํ ๋ฃจํ๊ฐ ์๋ ๋ค๋ฅธ ๋ฐฉ์์ ํด๊ฒฐ๋ฐฉ๋ฒ๋ ๊ณ ๋ฏผํด๋ณด๋ฉด ์ข์ ๊ฒ ๊ฐ์ต๋๋ค. |
@@ -0,0 +1,29 @@
+import VisitDateManage from '../child/visit_date_manage.js';
+import OrderMenuManage from '../child/order_menu_manage.js';
+import EventManage from '../child/event_manage.js';
+
+class PlannerManage {
+ #VISIT_DATE = null;
+ #ORDER_MENU = null;
+
+ async visitDate() {
+ const visitDateManage = new VisitDateManage();
+ await visitDateManage.firstGreeting();
+ this.#VISIT_DATE = visitDateManage.getVisitDate;
+ await this.#orderMenu();
+ }
+
+ async #orderMenu() {
+ const orderMenuManage = new OrderMenuManage();
+ await orderMenuManage.inputOrderMenu(this.#VISIT_DATE);
+ this.#ORDER_MENU = orderMenuManage.getOrderMenu;
+ await this.#eventDetails();
+ }
+
+ async #eventDetails() {
+ const eventManage = new EventManage(this.#VISIT_DATE, this.#ORDER_MENU);
+ eventManage.totalOrderAmount();
+ }
+}
+
+export default PlannerManage; | JavaScript | 3์ฃผ์ฐจ ๊ณตํต ํผ๋๋ฐฑ์ ํ๋์ ์๋ฅผ ์ต์ํํ๋ค๋ ์ฝ๋ฉํธ๊ฐ ์๋๋ฐ, ํ๋๋ฅผ ์ฌ์ฉํ์ง ์๊ณ ์ธ์๋ก ์ ํด์ฃผ์ด ์ฌ์ฉํ๋ค๋ฉด ์ด๋ ์๊น์? |
@@ -0,0 +1,29 @@
+import VisitDateManage from '../child/visit_date_manage.js';
+import OrderMenuManage from '../child/order_menu_manage.js';
+import EventManage from '../child/event_manage.js';
+
+class PlannerManage {
+ #VISIT_DATE = null;
+ #ORDER_MENU = null;
+
+ async visitDate() {
+ const visitDateManage = new VisitDateManage();
+ await visitDateManage.firstGreeting();
+ this.#VISIT_DATE = visitDateManage.getVisitDate;
+ await this.#orderMenu();
+ }
+
+ async #orderMenu() {
+ const orderMenuManage = new OrderMenuManage();
+ await orderMenuManage.inputOrderMenu(this.#VISIT_DATE);
+ this.#ORDER_MENU = orderMenuManage.getOrderMenu;
+ await this.#eventDetails();
+ }
+
+ async #eventDetails() {
+ const eventManage = new EventManage(this.#VISIT_DATE, this.#ORDER_MENU);
+ eventManage.totalOrderAmount();
+ }
+}
+
+export default PlannerManage; | JavaScript | ๋๋ฉ์ธ ๋ก์ง๊ณผ UI ๋ก์ง์ด ๋ถ๋ฆฌ๋์ด ์์ง์์ ์ฑ ๋ก์ง์ด ์ ๊ฐ๋๋ค ๋ณด๋ ํฐ ํ๋ฆ์ ํ์
ํ๊ธฐ ์ด๋ ค์๋ณด์
๋๋ค.
PlannerManage์์๋ ํ์ด์ฆ๋ฅผ ๋๋๊ณ ๋ค์ด๋ฐ์ ํตํด ํฐ ํ๋ก์ธ์ค๋ฅผ ํํํ๊ณ , ๋ด๋ถ ๋์์ ๋๋ฉ์ธ, UI ๋ก์ง์ ๋ถ๋ฆฌํ์ฌ ๋ด๋นํ๋๋ก ํ๋ฉด ๋์ฑ ์๋ฏธ๊ฐ ๋๋ฌ๋๊ณ ํ๋ก์ธ์ค๋ฅผ ์ดํดํ๊ธฐ ์์ํ ๊ฒ ๊ฐ์ต๋๋ค. |
@@ -0,0 +1,67 @@
+import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js';
+import CalculateEventDetails from '../../model/calculate_event_details.js';
+import PrintEventResult from '../../view/print_event_result.js';
+
+class EventManage {
+ #visitDate;
+ #orderMenu;
+
+ constructor(visitDate, orderMenu) {
+ this.#visitDate = Number(visitDate);
+ this.#orderMenu = orderMenu;
+ }
+
+ totalOrderAmount() {
+ const TOTAL_AMOUNT = this.#calculateTotalOrderAmount();
+ if (TOTAL_AMOUNT < 10000) {
+ return this.#printEventResult(TOTAL_AMOUNT, 0, null);
+ }
+ return this.#eventBenefit(TOTAL_AMOUNT);
+ }
+
+ #eventBenefit(TOTAL_AMOUNT) {
+ const EVENT_DETAILS = this.#calculateEventDetails();
+ EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0;
+ const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0);
+ this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS);
+ }
+
+ #calculateTotalOrderAmount() {
+ const calculateTotalOrderAmount = new CalculateTotalOrderAmount();
+ return calculateTotalOrderAmount.result(this.#orderMenu);
+ }
+
+ #calculateEventDetails() {
+ const calculateEventDetails = new CalculateEventDetails();
+ return calculateEventDetails.result(this.#visitDate, this.#orderMenu);
+ }
+
+ #eventBadgeResult(BENEFIT_AMOUNT) {
+ if (BENEFIT_AMOUNT < 5000) {
+ return '์์';
+ }
+ if (BENEFIT_AMOUNT < 10000) {
+ return '๋ณ';
+ }
+ if (BENEFIT_AMOUNT < 20000) {
+ return 'ํธ๋ฆฌ';
+ }
+ return '์ฐํ';
+ }
+
+ #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) {
+ const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ดํ์ธ 1๊ฐ' : '์์';
+ const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์์' : EVENT_DETAILS;
+ const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์์' : BENEFIT_AMOUNT;
+ const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT;
+ const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT;
+ const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT);
+
+ const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT };
+ const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE };
+ const printEventResult = new PrintEventResult();
+ printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT);
+ }
+}
+
+export default EventManage; | JavaScript | 10,000๋ ์์๋ก ๊ด๋ฆฌํด์ฃผ๋ฉด ๋์ฑ ์ข์ ๊ฒ ๊ฐ์ต๋๋ค. ์๋ฏธ๋ฅผ ํ์
ํ๊ธฐ๋ ์์ํ๊ณ , ๋ง์ฝ ์กฐ๊ฑด์ด ๋ณ๊ฒฝ๋๋ ์ํฉ์ด ์๋ ๊ฒฝ์ฐ ์์ ํ๊ธฐ ์์ํ๋ค๊ณ ์๊ฐํฉ๋๋ค. |
@@ -0,0 +1,67 @@
+import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js';
+import CalculateEventDetails from '../../model/calculate_event_details.js';
+import PrintEventResult from '../../view/print_event_result.js';
+
+class EventManage {
+ #visitDate;
+ #orderMenu;
+
+ constructor(visitDate, orderMenu) {
+ this.#visitDate = Number(visitDate);
+ this.#orderMenu = orderMenu;
+ }
+
+ totalOrderAmount() {
+ const TOTAL_AMOUNT = this.#calculateTotalOrderAmount();
+ if (TOTAL_AMOUNT < 10000) {
+ return this.#printEventResult(TOTAL_AMOUNT, 0, null);
+ }
+ return this.#eventBenefit(TOTAL_AMOUNT);
+ }
+
+ #eventBenefit(TOTAL_AMOUNT) {
+ const EVENT_DETAILS = this.#calculateEventDetails();
+ EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0;
+ const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0);
+ this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS);
+ }
+
+ #calculateTotalOrderAmount() {
+ const calculateTotalOrderAmount = new CalculateTotalOrderAmount();
+ return calculateTotalOrderAmount.result(this.#orderMenu);
+ }
+
+ #calculateEventDetails() {
+ const calculateEventDetails = new CalculateEventDetails();
+ return calculateEventDetails.result(this.#visitDate, this.#orderMenu);
+ }
+
+ #eventBadgeResult(BENEFIT_AMOUNT) {
+ if (BENEFIT_AMOUNT < 5000) {
+ return '์์';
+ }
+ if (BENEFIT_AMOUNT < 10000) {
+ return '๋ณ';
+ }
+ if (BENEFIT_AMOUNT < 20000) {
+ return 'ํธ๋ฆฌ';
+ }
+ return '์ฐํ';
+ }
+
+ #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) {
+ const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ดํ์ธ 1๊ฐ' : '์์';
+ const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์์' : EVENT_DETAILS;
+ const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์์' : BENEFIT_AMOUNT;
+ const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT;
+ const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT;
+ const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT);
+
+ const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT };
+ const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE };
+ const printEventResult = new PrintEventResult();
+ printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT);
+ }
+}
+
+export default EventManage; | JavaScript | ์ฌ์ํ์ง๋ง, ์กฐ๊ฑด์ ์ญ์์ผ๋ก ์ ์๋ค๋ฉด ๋ ์ดํดํ๊ธฐ ์์ํ ๊ฒ ๊ฐ์ต๋๋ค.
`20000 ์ด์: ์ฐํ / 10000 ์ด์: ํธ๋ฆฌ / 5000 ์ด์: ๋ณ / ๋๋จธ์ง: ์์` |
@@ -0,0 +1,28 @@
+const EVENT_NAMES = ['ํฌ๋ฆฌ์ค๋ง์ค ๋๋ฐ์ด ํ ์ธ', 'ํ์ผ ํ ์ธ', '์ฃผ๋ง ํ ์ธ', 'ํน๋ณ ํ ์ธ', '์ฆ์ ์ด๋ฒคํธ'];
+
+const WEEKDAY_DISCOUNT_DATE = [
+ 3, 4, 5, 6, 7, 10, 11, 12, 13, 14, 17,
+ 18, 19, 20, 21, 24, 25, 26, 27, 28, 31,
+];
+
+const WEEKEND_DISCOUNT_DATE = [
+ 1, 2, 8, 9, 15, 16, 22, 23, 29, 30,
+];
+
+const SPECIAL_DISCOUNT_DATE = [
+ 3, 10, 17, 24, 25, 31,
+];
+
+Object.freeze(
+ EVENT_NAMES,
+ WEEKDAY_DISCOUNT_DATE,
+ WEEKEND_DISCOUNT_DATE,
+ SPECIAL_DISCOUNT_DATE,
+);
+
+export {
+ EVENT_NAMES,
+ WEEKDAY_DISCOUNT_DATE,
+ WEEKEND_DISCOUNT_DATE,
+ SPECIAL_DISCOUNT_DATE,
+}; | JavaScript | ์ฌ๋ฌ ๊ฐ์ ์ธ์๋ฅผ ๋๊ฒจ์ฃผ๊ณ freeze ๋ฉ์๋๋ฅผ ํธ์ถํ๋ฉด ํ๋ฆฌ์ง๋์ง ์์ ๊ฒ ๊ฐ์ต๋๋ค. |
@@ -0,0 +1,33 @@
+const MENU_NAMES = [
+ '์์ก์ด์ํ', 'ํํ์ค', '์์ ์๋ฌ๋',
+ 'ํฐ๋ณธ์คํ
์ดํฌ', '๋ฐ๋นํ๋ฆฝ', 'ํด์ฐ๋ฌผํ์คํ', 'ํฌ๋ฆฌ์ค๋ง์คํ์คํ',
+ '์ด์ฝ์ผ์ดํฌ', '์์ด์คํฌ๋ฆผ',
+ '์ ๋ก์ฝ๋ผ', '๋ ๋์์ธ', '์ดํ์ธ',
+];
+
+const MENUS = {
+ Epitizer: {
+ ์์ก์ด์ํ: 6000,
+ ํํ์ค: 5500,
+ ์์ ์๋ฌ๋: 8000,
+ },
+ Main: {
+ ํฐ๋ณธ์คํ
์ดํฌ: 55000,
+ ๋ฐ๋นํ๋ฆฝ: 54000,
+ ํด์ฐ๋ฌผํ์คํ: 35000,
+ ํฌ๋ฆฌ์ค๋ง์คํ์คํ: 25000,
+ },
+ Dessert: {
+ ์ด์ฝ์ผ์ดํฌ: 15000,
+ ์์ด์คํฌ๋ฆผ: 5000,
+ },
+ Drink: {
+ ์ ๋ก์ฝ๋ผ: 3000,
+ ๋ ๋์์ธ: 60000,
+ ์ดํ์ธ: 25000,
+ },
+};
+
+Object.freeze(MENU_NAMES, MENUS);
+
+export { MENU_NAMES, MENUS }; | JavaScript | ์ค์ฒฉ๋ ๊ฐ์ฒด์ ๊ฒฝ์ฐ, ์ธ๋ถ๋ฅผ ํ๋ฆฌ์ง ํด์ฃผ์ด๋ ๋ด๋ถ๋ ํ๋ฆฌ์ง ๋์ง ์์ต๋๋ค. deep freeze ํค์๋๋ก ํ์ตํด๋ณด๋ ๊ฒ์ ์ถ์ฒ๋๋ฆฝ๋๋ค. |
@@ -0,0 +1,30 @@
+package store.contant;
+
+public enum Constant {
+ PRODUCTS_FILE_PATH("./src/main/resources/products.md"),
+ PROMOTIONS_FILE_PATH("./src/main/resources/promotions.md"),
+
+ Y("Y"),
+ N("N"),
+
+ YEAR("year"),
+ MONTH("month"),
+ DAY("day"),
+
+ DEFAULT_DELIMITER("-"),
+ COMMA_DELIMITER(","),
+
+ ITEM_DELIMITER("\\[(.*?)]"),
+ DATE_DELIMITER("(?<year>\\d{4})-(?<month>\\d{2})-(?<day>\\d{2})");
+
+ private final String detail;
+
+ Constant(String detail) {
+ this.detail = detail;
+ }
+
+ @Override
+ public String toString() {
+ return detail;
+ }
+}
| Java | ์ ๋ ๋ชฐ๋๋ ์ ๊ทํํ์ ๋ฌธ๋ฒ์ด๋ผ ์ฐพ์๋ณด๋๊น named capturing group ์ด๋ผ๊ณ ํ๋๊ตฐ์.. ์๋ก์ด๊ฑฐ ๋ฐฐ์๊ฐ๋๋ค! |
@@ -0,0 +1,126 @@
+package store.view;
+
+import java.text.NumberFormat;
+import store.domain.Product;
+import store.domain.Products;
+import store.dto.PurchaseDTO;
+import store.dto.ReceiptDTO;
+
+public class OutputView {
+ private static final NumberFormat format = NumberFormat.getNumberInstance();
+
+ public static void printProducts(Products products) {
+ System.out.println(OutputMessage.OUTPUT_HELLO_CONVENIENCE_MESSAGE);
+ for (String product : products.getNames()) {
+ Product with = products.getItemWithPromotion(product);
+ Product without = products.getItemWithoutPromotion(product);
+
+ printWith(with);
+ printWithout(without, with);
+ }
+ System.out.println();
+ }
+
+ private static void printWith(Product with) {
+ if (with != null) {
+ String price = getPrice(with);
+ String quantity = getQuantity(with);
+ String promotion = getPromotion(with);
+ System.out.println("- " + with.getName() + " " + price + " " + quantity + " " + promotion);
+ }
+ }
+
+ private static void printWithout(Product without, Product with) {
+ if (without == null) {
+ String price = getPrice(with);
+ System.out.println("- " + with.getName() + " " + price + " ์ฌ๊ณ ์์");
+ return;
+ }
+ String price = getPrice(without);
+ String quantity = getQuantity(without);
+ System.out.println("- " + without.getName() + " " + price + " " + quantity);
+ }
+
+ public static void printReceipt(ReceiptDTO receiptDTO, boolean isMembership) {
+ printPurchaseItems(receiptDTO);
+ printFreeItems(receiptDTO);
+ printAccount(receiptDTO, isMembership);
+ }
+
+ private static void printAccount(ReceiptDTO receiptDTO, boolean isMembership) {
+ System.out.println(OutputMessage.OUTPUT_RECEIPT_BOTTOM_MESSAGE);
+ printTotalPrice(receiptDTO);
+ printPromotionDiscount(receiptDTO);
+ printMembershipDiscount(receiptDTO, isMembership);
+ printPayment(receiptDTO, isMembership);
+ }
+
+ private static void printPayment(ReceiptDTO receiptDTO, boolean isMembership) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_PAY_MESSAGE.format(
+ OutputMessage.TO_BE_PAID,
+ format.format(totalPayment(receiptDTO, isMembership))));
+ System.out.println();
+ }
+
+ private static int totalPayment(ReceiptDTO receiptDTO, boolean isMembership) {
+ return receiptDTO.getTotalAmount() - receiptDTO.getFreeAmount() - receiptDTO.getMembershipAmount(isMembership);
+ }
+
+ private static void printMembershipDiscount(ReceiptDTO receiptDTO, boolean isMembership) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_DISCOUNT_MESSAGE.format(
+ OutputMessage.MEMBERSHIP_DISCOUNT,
+ "-" + format.format(receiptDTO.getMembershipAmount(isMembership))));
+ }
+
+ private static void printPromotionDiscount(ReceiptDTO receiptDTO) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_DISCOUNT_MESSAGE.format(
+ OutputMessage.PROMOTION_DISCOUNT,
+ "-" + format.format(receiptDTO.getFreeAmount())));
+ }
+
+ private static void printTotalPrice(ReceiptDTO receiptDTO) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_PRODUCT_MESSAGE.format(
+ OutputMessage.TOTAL_PRICE,
+ receiptDTO.getTotalQuantity(),
+ format.format(receiptDTO.getTotalAmount())));
+ }
+
+ private static void printFreeItems(ReceiptDTO receiptDTO) {
+ System.out.println(OutputMessage.OUTPUT_RECEIPT_MIDDLE_MESSAGE);
+ for (PurchaseDTO purchaseDTO : receiptDTO.free()) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_FREE_MESSAGE.format(
+ purchaseDTO.name(), purchaseDTO.quantity()));
+ }
+ }
+
+ private static void printPurchaseItems(ReceiptDTO receiptDTO) {
+ System.out.println(OutputMessage.OUTPUT_RECEIPT_TOP_MESSAGE);
+ for (PurchaseDTO purchaseDTO : receiptDTO.cart()) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_PRODUCT_MESSAGE.format(
+ purchaseDTO.name(),
+ purchaseDTO.quantity(),
+ format.format(purchaseDTO.getTotalAmount()))
+ );
+ }
+ }
+
+ private static String getPrice(Product product) {
+ return format.format(product.getPrice()) + OutputMessage.CURRENCY_UNIT;
+ }
+
+ private static String getPromotion(Product product) {
+ String promotion = "";
+ if (product.getPromotion() != null) {
+ promotion = product.getPromotion().getName();
+ }
+ return promotion;
+ }
+
+ private static String getQuantity(Product product) {
+ String quantity = format.format(product.getStock()) + OutputMessage.QUANTITY_UNIT;
+ if (product.getStock() == 0) {
+ quantity = OutputMessage.QUANTITY_EMPTY.toString();
+ }
+ return quantity;
+ }
+}
| Java | ์ด๋ฐ ๋ถ๋ถ์๋ DTO๋ฅผ ๋ฐ์์ ์ฒ๋ฆฌํ๋๊ฑด ์ด๋ป๊ฒ ์๊ฐํ์๋์? |
@@ -0,0 +1,14 @@
+package store.exception;
+
+public class CustomException extends IllegalArgumentException {
+ private final String errorMessage;
+
+ public CustomException(String errorMessage) {
+ super(errorMessage);
+ this.errorMessage = errorMessage;
+ }
+
+ public String getErrorMessage() {
+ return errorMessage;
+ }
+}
| Java | CustomException ํด๋์ค๋ฅผ ๋ฐ๋ก ๋ง๋์ ์ด์ ๊ฐ ๊ถ๊ธํฉ๋๋ค (์ด ๋ถ๋ถ์ ์ ๋ชฐ๋ผ์). |
@@ -0,0 +1,57 @@
+package store.view;
+
+import java.time.LocalDate;
+import java.time.LocalDateTime;
+import java.util.List;
+import java.util.regex.Matcher;
+import java.util.regex.Pattern;
+import store.contant.Constant;
+import store.dto.BuyDTO;
+import store.exception.CustomException;
+import store.exception.ErrorMessage;
+
+public class InputHandler {
+ private static final Pattern patternItem = Pattern.compile(Constant.ITEM_DELIMITER.toString());
+ private static final Pattern patternDate = Pattern.compile(Constant.DATE_DELIMITER.toString());
+
+ public static List<BuyDTO> splitItems(String input) {
+ Matcher matcher = patternItem.matcher(input);
+ return matcher.results()
+ .map(find -> {
+ String content = find.group(1);
+ validate(content);
+ String[] item = split(content);
+ return new BuyDTO(item[0], toInt(item[1]));
+ })
+ .toList();
+ }
+
+ private static void validate(String input) {
+ if (input.contains("[") || input.contains("]")) {
+ throw new CustomException(ErrorMessage.NOT_FIT_THE_FORM_MESSAGE.toString());
+ }
+ }
+
+ public static LocalDateTime parseDate(String input) {
+ Matcher matcher = patternDate.matcher(input);
+ if (matcher.matches()) {
+ int year = Integer.parseInt(matcher.group(Constant.YEAR.toString()));
+ int month = Integer.parseInt(matcher.group(Constant.MONTH.toString()));
+ int day = Integer.parseInt(matcher.group(Constant.DAY.toString()));
+ return LocalDate.of(year, month, day).atStartOfDay();
+ }
+ throw new CustomException(ErrorMessage.FILE_IOEXCEPTION_MESSAGE.toString());
+ }
+
+ public static int toInt(String input) {
+ try {
+ return Integer.parseInt(input);
+ } catch (NumberFormatException e) {
+ throw new CustomException(ErrorMessage.NOT_FIT_THE_FORM_MESSAGE.toString());
+ }
+ }
+
+ private static String[] split(String input) {
+ return input.split(Constant.DEFAULT_DELIMITER.toString());
+ }
+}
| Java | Matcher.results()๋ก ๋๋๋๊ฑด ๊น๋ํ์ง๋ง ํ๋ชฉ์ ๋๋๋ ๊ตฌ๋ถ์๋ก ์ผํ๊ฐ ์๋์ด๋ ์๋ํด์, ์๊ตฌ์ฌํญ์ ๋ง์ถ๋ ค๋ฉด ์์ ํด์ผ ํ ๊ฒ ๊ฐ์์. |
@@ -0,0 +1,83 @@
+package store.view;
+
+import camp.nextstep.edu.missionutils.Console;
+import java.util.List;
+import store.contant.Constant;
+import store.dto.BuyDTO;
+import store.exception.CustomException;
+import store.exception.ErrorMessage;
+
+public class InputView {
+ public static List<BuyDTO> readItem() {
+ while (true) {
+ try {
+ System.out.println(InputMessage.INPUT_PURCHASE_PRODUCT_MESSAGE);
+ return InputHandler.splitItems(Console.readLine());
+ } catch (CustomException e) {
+ System.out.println(e.getErrorMessage());
+ }
+ }
+ }
+
+ public static String readMembership() {
+ while (true) {
+ try {
+ System.out.println(InputMessage.INPUT_MEMBERSHIP_MESSAGE);
+ String input = Console.readLine();
+ validate(input);
+ return input;
+ } catch (CustomException e) {
+ System.out.println(e.getErrorMessage());
+ }
+ }
+ }
+
+ public static String readPromotion(String name, int quantity) {
+ while (true) {
+ try {
+ System.out.printf(InputMessage.INPUT_PROMOTION_MESSAGE.format(name, quantity));
+ String input = Console.readLine();
+ validate(input);
+ return input;
+ } catch (CustomException e) {
+ System.out.println(e.getErrorMessage());
+ }
+ }
+ }
+
+ public static String readGetOneFree(String name, int quantity) {
+ while (true) {
+ try {
+ System.out.printf(InputMessage.INPUT_GET_ONE_FREE_MESSAGE.format(name, quantity));
+ String input = Console.readLine();
+ validate(input);
+ return input;
+ } catch (CustomException e) {
+ System.out.println(e.getErrorMessage());
+ }
+ }
+ }
+
+ public static String readRePurchase() {
+ while (true) {
+ try {
+ System.out.println(InputMessage.INPUT_RE_PURCHASE_MESSAGE);
+ String input = Console.readLine();
+ validate(input);
+ return input;
+ } catch (CustomException e) {
+ System.out.println(e.getErrorMessage());
+ }
+ }
+ }
+
+ private static void validate(String input) {
+ if (isCorrectInput(input)) {
+ throw new CustomException(ErrorMessage.INVALID_INPUT_MESSAGE.toString());
+ }
+ }
+
+ private static boolean isCorrectInput(String input) {
+ return !(input.equals(Constant.Y.toString()) || input.equals(Constant.N.toString()));
+ }
+}
| Java | validate() ๋ค์ด๋ฐ์ด ์กฐ๊ธ ๋ ๊ตฌ์ฒด์ ์ด๋ฉด ์ข์ ๊ฒ ๊ฐ์ต๋๋ค. |
@@ -0,0 +1,108 @@
+package store.controller;
+
+import java.io.IOException;
+import java.nio.file.Files;
+import java.nio.file.Paths;
+import java.time.LocalDateTime;
+import java.util.List;
+import org.junit.platform.commons.logging.Logger;
+import org.junit.platform.commons.logging.LoggerFactory;
+import store.contant.Constant;
+import store.domain.Product;
+import store.domain.Products;
+import store.domain.Promotion;
+import store.domain.Promotions;
+import store.dto.ProductsDTO;
+import store.dto.ReceiptDTO;
+import store.exception.CustomException;
+import store.exception.ErrorMessage;
+import store.view.InputHandler;
+import store.view.InputView;
+import store.view.OutputView;
+
+public class ConvenienceManager {
+ private final Logger logger = LoggerFactory.getLogger(getClass());
+
+ private static final String PRODUCTS_FILE_PATH = Constant.PRODUCTS_FILE_PATH.toString();
+ private static final String PROMOTIONS_FILE_PATH = Constant.PROMOTIONS_FILE_PATH.toString();
+
+ private Promotions promotions;
+ private Products products;
+
+ public ConvenienceManager() {
+ try {
+ this.promotions = new Promotions(initPromotions());
+ this.products = new Products(initProducts(this.promotions));
+ } catch (IOException e) {
+ logger.info(ErrorMessage.FILE_IOEXCEPTION_MESSAGE::toString);
+ }
+ }
+
+ public void run() {
+ try {
+ do {
+ OutputView.printProducts(products);
+ List<ProductsDTO> sameItems = products.getSameProducts();
+ ReceiptDTO receiptDTO = products.buyProduct(sameItems);
+ membership(receiptDTO);
+ } while (hasRePurchase());
+ } catch (CustomException e) {
+ System.out.println(e.getErrorMessage());
+ }
+ }
+
+ private void membership(ReceiptDTO receiptDTO) {
+ if (hasApplyMembership()) {
+ OutputView.printReceipt(receiptDTO, true);
+ return;
+ }
+ OutputView.printReceipt(receiptDTO, false);
+ }
+
+ private List<Promotion> initPromotions() throws IOException {
+ List<String> strings = Files.readAllLines(Paths.get(PROMOTIONS_FILE_PATH));
+ return strings.stream()
+ .skip(1)
+ .map(this::makePromotion)
+ .toList();
+ }
+
+ private List<Product> initProducts(Promotions promotions) throws IOException {
+ List<String> strings = Files.readAllLines(Paths.get(PRODUCTS_FILE_PATH));
+ return strings.stream()
+ .skip(1)
+ .map(line -> makeProduct(promotions, line))
+ .toList();
+ }
+
+ private Promotion makePromotion(String line) {
+ final String[] promotion = split(line);
+ final String name = promotion[0];
+ final int buy = Integer.parseInt(promotion[1]);
+ final int get = Integer.parseInt(promotion[2]);
+ final LocalDateTime startDate = InputHandler.parseDate(promotion[3]);
+ final LocalDateTime endDate = InputHandler.parseDate(promotion[4]);
+ return new Promotion(name, buy, get, startDate, endDate);
+ }
+
+ private Product makeProduct(Promotions promotions, String line) {
+ final String[] product = split(line);
+ final String name = product[0];
+ final int price = Integer.parseInt(product[1]);
+ final int stock = Integer.parseInt(product[2]);
+ final Promotion promotion = promotions.findPromotion(product[3]);
+ return new Product(name, price, stock, promotion);
+ }
+
+ private static String[] split(String line) {
+ return line.split(Constant.COMMA_DELIMITER.toString());
+ }
+
+ private boolean hasRePurchase() {
+ return InputView.readRePurchase().equals(Constant.Y.toString());
+ }
+
+ private boolean hasApplyMembership() {
+ return InputView.readMembership().equals(Constant.Y.toString());
+ }
+}
| Java | ์ปจํธ๋กค๋ฌ์ ์์ฑ์๋ run ๋ถ๋ถ์ด ์ ๋ง ๊น๋ํ๊ณ ์ข์ ๊ฒ ๊ฐ์์! |
@@ -0,0 +1,206 @@
+package store.domain;
+
+import camp.nextstep.edu.missionutils.DateTimes;
+import java.util.ArrayList;
+import java.util.List;
+import java.util.Map;
+import java.util.Set;
+import store.contant.Constant;
+import store.dto.BuyDTO;
+import store.dto.ProductsDTO;
+import store.dto.PurchaseDTO;
+import store.dto.ReceiptDTO;
+import store.dto.StockDTO;
+import store.exception.CustomException;
+import store.exception.ErrorMessage;
+import store.view.InputView;
+
+public class Products {
+ private static final int ZERO = 0;
+ private static final int MINIMUM_STOCK = 1;
+
+ private final List<Product> products;
+
+ public Products(List<Product> products) {
+ this.products = products;
+ }
+
+ public ReceiptDTO buyProduct(List<ProductsDTO> items) {
+ List<PurchaseDTO> purchaseItem = new ArrayList<>();
+ List<PurchaseDTO> freeItem = new ArrayList<>();
+ addReceipt(items, purchaseItem, freeItem);
+ return new ReceiptDTO(purchaseItem, freeItem);
+ }
+
+ private void addReceipt(List<ProductsDTO> items, List<PurchaseDTO> purchaseItem, List<PurchaseDTO> freeItem) {
+ for (ProductsDTO productsDTO : items) {
+ buy(
+ productsDTO.name(),
+ productsDTO.quantity(),
+ productsDTO.with(),
+ productsDTO.without(),
+ purchaseItem,
+ freeItem
+ );
+ }
+ }
+
+ public List<ProductsDTO> getSameProducts() {
+ while (true) {
+ try {
+ List<BuyDTO> shopping = InputView.readItem();
+ return changeProductsDTO(shopping);
+ } catch (CustomException e) {
+ System.out.println(e.getErrorMessage());
+ }
+ }
+ }
+
+ public List<Product> getProducts() {
+ return products;
+ }
+
+ public List<ProductsDTO> changeProductsDTO(List<BuyDTO> shopping) {
+ return shopping.stream()
+ .map(find -> {
+ Product with = getItemWithPromotion(find.name());
+ Product without = getItemWithoutPromotion(find.name());
+ return new ProductsDTO(find.name(), find.quantity(), with, without);
+ }).toList();
+ }
+
+ public List<String> getNames() {
+ return products.stream()
+ .map(Product::getName)
+ .distinct()
+ .toList();
+ }
+
+ private void buy(
+ String name, int quantity,
+ Product with, Product without, List<PurchaseDTO> purchases, List<PurchaseDTO> frees
+ ) {
+ if (hasNullPromotion(purchases, with, without, quantity, name)) {
+ return;
+ }
+ quantity = fillQuantity(quantity, with, name);
+ StockDTO stockDTO = getPurchaseState(with, quantity, without, name);
+ addCart(name, purchases, frees, with, stockDTO);
+ }
+
+ private void addCart(
+ String name,
+ List<PurchaseDTO> purchases, List<PurchaseDTO> frees,
+ Product withPromotion, StockDTO stockDTO
+ ) {
+ purchases.add(new PurchaseDTO(
+ name, withPromotion.getPrice(), stockDTO.getTotalStock(), stockDTO.freeStock(),
+ stockDTO.remainStock()));
+ frees.add(new PurchaseDTO(
+ name, withPromotion.getPrice(), stockDTO.freeStock(), 0, 0));
+ }
+
+ private boolean hasNullPromotion(
+ List<PurchaseDTO> purchaseItem,
+ Product withPromotion, Product withoutPromotion,
+ int quantity, String name
+ ) {
+ if (isInvalidPromotion(withPromotion)) {
+ withoutPromotion.notApplyClearanceStock(quantity);
+ purchaseItem.add(new PurchaseDTO(name, withoutPromotion.getPrice(), quantity, 0, quantity));
+ return true;
+ }
+ return false;
+ }
+
+ private StockDTO getPurchaseState(Product withPromotion, int quantity, Product withoutPromotion, String name) {
+ StockDTO stockDTO = withPromotion.getPurchaseState(quantity);
+ return clearance(withPromotion, withoutPromotion, name, quantity, stockDTO);
+ }
+
+ private int fillQuantity(int quantity, Product withPromotion, String name) {
+ if (isNotApplyPromotion(quantity, withPromotion)) {
+ int addition = withPromotion.getPromotion().getApplyPromotion() - quantity;
+ if (hasGetOneFree(name, addition)) {
+ quantity += addition;
+ }
+ }
+ return quantity;
+ }
+
+ private StockDTO clearance(
+ Product with, Product without,
+ String name, int quantity, StockDTO stockDTO
+ ) {
+ if (with.getStock() < quantity) {
+ if (hasApplyPromotion(name, stockDTO)) {
+ return nonApplyPromotionItem(with, without, stockDTO);
+ }
+ return onlyPromotionItem(with, without, stockDTO);
+ }
+ return applyPromotion(with, quantity, stockDTO);
+ }
+
+ private StockDTO applyPromotion(Product with, int quantity, StockDTO stockDTO) {
+ with.applyClearanceStock(quantity);
+ return new StockDTO(0, stockDTO.applyStock(), stockDTO.freeStock());
+ }
+
+ private StockDTO onlyPromotionItem(Product with, Product without, StockDTO stockDTO) {
+ applyPromotionClearance(with, without, stockDTO.applyStock() + stockDTO.freeStock());
+ return new StockDTO(0, stockDTO.applyStock(), stockDTO.freeStock());
+ }
+
+ private StockDTO nonApplyPromotionItem(Product with, Product without, StockDTO stockDTO) {
+ applyPromotionClearance(with, without, stockDTO.getTotalStock());
+ return new StockDTO(stockDTO.remainStock(), stockDTO.applyStock(), stockDTO.freeStock());
+ }
+
+ private void applyPromotionClearance(Product withPromotion, Product withoutPromotion, int quantity) {
+ validateQuantity(quantity);
+ int remain = withPromotion.applyClearanceStock(quantity);
+ if (isRemainStock(remain)) {
+ withoutPromotion.notApplyClearanceStock(remain);
+ }
+ }
+
+ private boolean isRemainStock(int remain) {
+ return remain > ZERO;
+ }
+
+ public Product getItemWithPromotion(String name) {
+ return products.stream()
+ .filter(product -> product.isSameName(name) && product.isWithPromotion())
+ .findFirst()
+ .orElse(null);
+ }
+
+ public Product getItemWithoutPromotion(String name) {
+ return products.stream()
+ .filter(product -> product.isSameName(name) && !product.isWithPromotion())
+ .findFirst()
+ .orElse(null);
+ }
+
+ private void validateQuantity(int quantity) {
+ if (quantity < MINIMUM_STOCK) {
+ throw new CustomException(ErrorMessage.QUANTITY_OVER_MESSAGE.toString());
+ }
+ }
+
+ private boolean hasGetOneFree(String name, int addition) {
+ return InputView.readGetOneFree(name, addition).equals(Constant.Y.toString());
+ }
+
+ private boolean hasApplyPromotion(String name, StockDTO stockDTO) {
+ return InputView.readPromotion(name, stockDTO.remainStock()).equals(Constant.Y.toString());
+ }
+
+ private boolean isInvalidPromotion(Product withPromotion) {
+ return withPromotion == null || withPromotion.getPromotion().isLastDate(DateTimes.now());
+ }
+
+ private boolean isNotApplyPromotion(int quantity, Product withPromotion) {
+ return quantity < withPromotion.getPromotion().getApplyPromotion();
+ }
+}
| Java | InputView๋ฅผ ํธ์ถํ๋ ๋ถ๋ถ์ ์ปจํธ๋กค๋ฌ๋ฅผ ๊ฑฐ์น๋๊ฒ ์ข์ง ์์๊น ์๊ฐํฉ๋๋ค. |
@@ -0,0 +1,35 @@
+package store.dto;
+
+import java.util.List;
+
+public record ReceiptDTO(
+ List<PurchaseDTO> cart,
+ List<PurchaseDTO> free
+) {
+ public int getTotalQuantity() {
+ return cart.stream()
+ .mapToInt(PurchaseDTO::quantity)
+ .sum();
+ }
+
+ public int getTotalAmount() {
+ return cart.stream()
+ .mapToInt(PurchaseDTO::getTotalAmount)
+ .sum();
+ }
+
+ public int getFreeAmount() {
+ return free.stream()
+ .mapToInt(PurchaseDTO::getTotalAmount)
+ .sum();
+ }
+
+ public int getMembershipAmount(boolean isMembership) {
+ if (isMembership) {
+ return (int) (cart.stream()
+ .mapToInt(PurchaseDTO::getNotApplyAmount)
+ .sum() * 0.3);
+ }
+ return 0;
+ }
+}
| Java | 0.3์ ์ค์ํ ์ซ์๋ผ ์์๋ก ๋ฐ๊พธ๋ฉด ์ข์ ๊ฒ ๊ฐ์ต๋๋ค! |
@@ -0,0 +1,126 @@
+package store.view;
+
+import java.text.NumberFormat;
+import store.domain.Product;
+import store.domain.Products;
+import store.dto.PurchaseDTO;
+import store.dto.ReceiptDTO;
+
+public class OutputView {
+ private static final NumberFormat format = NumberFormat.getNumberInstance();
+
+ public static void printProducts(Products products) {
+ System.out.println(OutputMessage.OUTPUT_HELLO_CONVENIENCE_MESSAGE);
+ for (String product : products.getNames()) {
+ Product with = products.getItemWithPromotion(product);
+ Product without = products.getItemWithoutPromotion(product);
+
+ printWith(with);
+ printWithout(without, with);
+ }
+ System.out.println();
+ }
+
+ private static void printWith(Product with) {
+ if (with != null) {
+ String price = getPrice(with);
+ String quantity = getQuantity(with);
+ String promotion = getPromotion(with);
+ System.out.println("- " + with.getName() + " " + price + " " + quantity + " " + promotion);
+ }
+ }
+
+ private static void printWithout(Product without, Product with) {
+ if (without == null) {
+ String price = getPrice(with);
+ System.out.println("- " + with.getName() + " " + price + " ์ฌ๊ณ ์์");
+ return;
+ }
+ String price = getPrice(without);
+ String quantity = getQuantity(without);
+ System.out.println("- " + without.getName() + " " + price + " " + quantity);
+ }
+
+ public static void printReceipt(ReceiptDTO receiptDTO, boolean isMembership) {
+ printPurchaseItems(receiptDTO);
+ printFreeItems(receiptDTO);
+ printAccount(receiptDTO, isMembership);
+ }
+
+ private static void printAccount(ReceiptDTO receiptDTO, boolean isMembership) {
+ System.out.println(OutputMessage.OUTPUT_RECEIPT_BOTTOM_MESSAGE);
+ printTotalPrice(receiptDTO);
+ printPromotionDiscount(receiptDTO);
+ printMembershipDiscount(receiptDTO, isMembership);
+ printPayment(receiptDTO, isMembership);
+ }
+
+ private static void printPayment(ReceiptDTO receiptDTO, boolean isMembership) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_PAY_MESSAGE.format(
+ OutputMessage.TO_BE_PAID,
+ format.format(totalPayment(receiptDTO, isMembership))));
+ System.out.println();
+ }
+
+ private static int totalPayment(ReceiptDTO receiptDTO, boolean isMembership) {
+ return receiptDTO.getTotalAmount() - receiptDTO.getFreeAmount() - receiptDTO.getMembershipAmount(isMembership);
+ }
+
+ private static void printMembershipDiscount(ReceiptDTO receiptDTO, boolean isMembership) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_DISCOUNT_MESSAGE.format(
+ OutputMessage.MEMBERSHIP_DISCOUNT,
+ "-" + format.format(receiptDTO.getMembershipAmount(isMembership))));
+ }
+
+ private static void printPromotionDiscount(ReceiptDTO receiptDTO) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_DISCOUNT_MESSAGE.format(
+ OutputMessage.PROMOTION_DISCOUNT,
+ "-" + format.format(receiptDTO.getFreeAmount())));
+ }
+
+ private static void printTotalPrice(ReceiptDTO receiptDTO) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_PRODUCT_MESSAGE.format(
+ OutputMessage.TOTAL_PRICE,
+ receiptDTO.getTotalQuantity(),
+ format.format(receiptDTO.getTotalAmount())));
+ }
+
+ private static void printFreeItems(ReceiptDTO receiptDTO) {
+ System.out.println(OutputMessage.OUTPUT_RECEIPT_MIDDLE_MESSAGE);
+ for (PurchaseDTO purchaseDTO : receiptDTO.free()) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_FREE_MESSAGE.format(
+ purchaseDTO.name(), purchaseDTO.quantity()));
+ }
+ }
+
+ private static void printPurchaseItems(ReceiptDTO receiptDTO) {
+ System.out.println(OutputMessage.OUTPUT_RECEIPT_TOP_MESSAGE);
+ for (PurchaseDTO purchaseDTO : receiptDTO.cart()) {
+ System.out.printf(OutputMessage.OUTPUT_RECEIPT_PRODUCT_MESSAGE.format(
+ purchaseDTO.name(),
+ purchaseDTO.quantity(),
+ format.format(purchaseDTO.getTotalAmount()))
+ );
+ }
+ }
+
+ private static String getPrice(Product product) {
+ return format.format(product.getPrice()) + OutputMessage.CURRENCY_UNIT;
+ }
+
+ private static String getPromotion(Product product) {
+ String promotion = "";
+ if (product.getPromotion() != null) {
+ promotion = product.getPromotion().getName();
+ }
+ return promotion;
+ }
+
+ private static String getQuantity(Product product) {
+ String quantity = format.format(product.getStock()) + OutputMessage.QUANTITY_UNIT;
+ if (product.getStock() == 0) {
+ quantity = OutputMessage.QUANTITY_EMPTY.toString();
+ }
+ return quantity;
+ }
+}
| Java | ๊ฐ์๊ฐ 0์ด์ด๋ ์ถ๋ ฅ์ด ๋๋๋ฐ, 0์ผ๋ ์ถ๋ ฅ์์ ์ ์ธ์ํค๋ ๊ฒ๋ ์ข์ ๊ฒ ๊ฐ์ต๋๋ค. |
@@ -0,0 +1,108 @@
+package store.controller;
+
+import java.io.IOException;
+import java.nio.file.Files;
+import java.nio.file.Paths;
+import java.time.LocalDateTime;
+import java.util.List;
+import org.junit.platform.commons.logging.Logger;
+import org.junit.platform.commons.logging.LoggerFactory;
+import store.contant.Constant;
+import store.domain.Product;
+import store.domain.Products;
+import store.domain.Promotion;
+import store.domain.Promotions;
+import store.dto.ProductsDTO;
+import store.dto.ReceiptDTO;
+import store.exception.CustomException;
+import store.exception.ErrorMessage;
+import store.view.InputHandler;
+import store.view.InputView;
+import store.view.OutputView;
+
+public class ConvenienceManager {
+ private final Logger logger = LoggerFactory.getLogger(getClass());
+
+ private static final String PRODUCTS_FILE_PATH = Constant.PRODUCTS_FILE_PATH.toString();
+ private static final String PROMOTIONS_FILE_PATH = Constant.PROMOTIONS_FILE_PATH.toString();
+
+ private Promotions promotions;
+ private Products products;
+
+ public ConvenienceManager() {
+ try {
+ this.promotions = new Promotions(initPromotions());
+ this.products = new Products(initProducts(this.promotions));
+ } catch (IOException e) {
+ logger.info(ErrorMessage.FILE_IOEXCEPTION_MESSAGE::toString);
+ }
+ }
+
+ public void run() {
+ try {
+ do {
+ OutputView.printProducts(products);
+ List<ProductsDTO> sameItems = products.getSameProducts();
+ ReceiptDTO receiptDTO = products.buyProduct(sameItems);
+ membership(receiptDTO);
+ } while (hasRePurchase());
+ } catch (CustomException e) {
+ System.out.println(e.getErrorMessage());
+ }
+ }
+
+ private void membership(ReceiptDTO receiptDTO) {
+ if (hasApplyMembership()) {
+ OutputView.printReceipt(receiptDTO, true);
+ return;
+ }
+ OutputView.printReceipt(receiptDTO, false);
+ }
+
+ private List<Promotion> initPromotions() throws IOException {
+ List<String> strings = Files.readAllLines(Paths.get(PROMOTIONS_FILE_PATH));
+ return strings.stream()
+ .skip(1)
+ .map(this::makePromotion)
+ .toList();
+ }
+
+ private List<Product> initProducts(Promotions promotions) throws IOException {
+ List<String> strings = Files.readAllLines(Paths.get(PRODUCTS_FILE_PATH));
+ return strings.stream()
+ .skip(1)
+ .map(line -> makeProduct(promotions, line))
+ .toList();
+ }
+
+ private Promotion makePromotion(String line) {
+ final String[] promotion = split(line);
+ final String name = promotion[0];
+ final int buy = Integer.parseInt(promotion[1]);
+ final int get = Integer.parseInt(promotion[2]);
+ final LocalDateTime startDate = InputHandler.parseDate(promotion[3]);
+ final LocalDateTime endDate = InputHandler.parseDate(promotion[4]);
+ return new Promotion(name, buy, get, startDate, endDate);
+ }
+
+ private Product makeProduct(Promotions promotions, String line) {
+ final String[] product = split(line);
+ final String name = product[0];
+ final int price = Integer.parseInt(product[1]);
+ final int stock = Integer.parseInt(product[2]);
+ final Promotion promotion = promotions.findPromotion(product[3]);
+ return new Product(name, price, stock, promotion);
+ }
+
+ private static String[] split(String line) {
+ return line.split(Constant.COMMA_DELIMITER.toString());
+ }
+
+ private boolean hasRePurchase() {
+ return InputView.readRePurchase().equals(Constant.Y.toString());
+ }
+
+ private boolean hasApplyMembership() {
+ return InputView.readMembership().equals(Constant.Y.toString());
+ }
+}
| Java | ์ด๋ ๊ฒ ๋๋ฉด ํ๋ก๋ชจ์
๊ธฐ๊ฐ์ ์ข
๋ฃ๋ ์ง๊ฐ ์ฌ์ค ํฌํจ์ด ์๋์ด์ (์ข
๋ฃ๋ ์ง๋ก ๋์ด๊ฐ๋ 00์ 00๋ถ 00์ด ๊น์ง๋ง ํฌํจ๋๋๋ผ๊ตฌ์),
endDate.plusDays(1) ์ .atStartOfDay() ๋ฅผ ์ฌ์ฉํ๋๊ฒ ๋ ๋ง๋ค๊ณ ์๊ฐํฉ๋๋ค. |
@@ -0,0 +1,31 @@
+package dto;
+
+import domain.car.Car;
+
+import java.util.List;
+import java.util.stream.Collectors;
+import java.util.stream.IntStream;
+
+import static util.Splitter.BLANK;
+
+public class CarDto {
+ private String name;
+ private List<String> whiteSpaceList;
+
+ public CarDto(Car car) {
+ assert car != null;
+ this.name = car.getName();
+ this.whiteSpaceList = IntStream.range(0, car.getPosition())
+ .mapToObj(num -> BLANK)
+ .collect(Collectors.toList());
+ }
+
+ public String getName() {
+ return name;
+ }
+
+ public List<String> getWhiteSpaceList() {
+ return whiteSpaceList;
+ }
+
+} | Java | carDto์ position์ ์์ฑ์์์ whiteSpaceList ๋ง๋๋ ๊ฑธ ์ ์ธํ๊ณค ์ฐ๋๋ฐ๊ฐ ์๋ ๊ฒ ๊ฐ์๋ฐ, carDto์์ ๋นผ๋ ๊ฑด ์ด๋ป๊ฒ ์๊ฐํ์๋์? |
@@ -1,79 +1,83 @@
<!DOCTYPE html>
<html>
+
<head>
-<meta charset="UTF-8">
-<title>๋ ์ด์ค!</title>
+ <meta charset="UTF-8">
+ <title>๋ ์ด์ค!</title>
-<!-- Latest compiled and minified CSS -->
-<link rel="stylesheet"
- href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css"
- integrity="sha384-BVYiiSIFeK1dGmJRAkycuHAHRg32OmUcww7on3RYdg4Va+PmSTsz/K68vbdEjh4u"
- crossorigin="anonymous">
+ <!-- Latest compiled and minified CSS -->
+ <link rel="stylesheet"
+ href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css"
+ integrity="sha384-BVYiiSIFeK1dGmJRAkycuHAHRg32OmUcww7on3RYdg4Va+PmSTsz/K68vbdEjh4u"
+ crossorigin="anonymous">
-<!-- Optional theme -->
-<link rel="stylesheet"
- href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap-theme.min.css"
- integrity="sha384-rHyoN1iRsVXV4nD0JutlnGaslCJuC7uwjduW9SVrLvRYooPp2bWYgmgJQIXwl/Sp"
- crossorigin="anonymous">
+ <!-- Optional theme -->
+ <link rel="stylesheet"
+ href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap-theme.min.css"
+ integrity="sha384-rHyoN1iRsVXV4nD0JutlnGaslCJuC7uwjduW9SVrLvRYooPp2bWYgmgJQIXwl/Sp"
+ crossorigin="anonymous">
-<!-- Latest compiled and minified JavaScript -->
-<script
- src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js"
- integrity="sha384-Tc5IQib027qvyjSMfHjOMaLkfuWVxZxUPnCJA7l2mCWNIpG9mGCD8wGNIcPD7Txa"
- crossorigin="anonymous"></script>
-<style>
-body {
- padding-top: 40px;
- padding-bottom: 40px;
- background-color: #eee;
-}
+ <!-- Latest compiled and minified JavaScript -->
+ <script
+ src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js"
+ integrity="sha384-Tc5IQib027qvyjSMfHjOMaLkfuWVxZxUPnCJA7l2mCWNIpG9mGCD8wGNIcPD7Txa"
+ crossorigin="anonymous"></script>
+ <style>
+ body {
+ padding-top: 40px;
+ padding-bottom: 40px;
+ background-color: #eee;
+ }
-.form-lotto {
- max-width: 1000px;
- padding: 15px;
- margin: 0 auto;
-}
+ .form-lotto {
+ max-width: 1000px;
+ padding: 15px;
+ margin: 0 auto;
+ }
-.form-lotto .form-control {
- position: relative;
- height: auto;
- -webkit-box-sizing: border-box;
- -moz-box-sizing: border-box;
- box-sizing: border-box;
- padding: 10px;
- font-size: 16px;
-}
+ .form-lotto .form-control {
+ position: relative;
+ height: auto;
+ -webkit-box-sizing: border-box;
+ -moz-box-sizing: border-box;
+ box-sizing: border-box;
+ padding: 10px;
+ font-size: 16px;
+ }
-.submit-button {
- margin-top: 10px;
-}
-</style>
+ .submit-button {
+ margin-top: 10px;
+ }
+ </style>
</head>
<body>
- <div class="container">
+<div class="container">
<div class="row">
- <div class="col-md-12">
+ <div class="col-md-12">
- <h2 class="text-center">๋ฐ์ง๊ฐ ๋์น๋ ์๋์ฐจ ๋ ์ด์ฑ ๊ฒ์ with Pobi</h2>
- <div class="form-show-div" class="form-group">
- <h3>๊ฒฐ๊ณผ์
๋๋ค</h3>
- (์ด๋ฆ๋ง๋ค ๋์ด์ฐ๊ธฐ๋ก ๊ตฌ๋ถํด ์ฃผ์ธ์.)
- <div id="standings">๋ฐ์ฌ์ฑ : 🚌</div>
- <div id="standings">์ค์ง์ : 🚌</div>
- <div id="standings">์ ํธ์ : 🚌</div>
- <div id="standings">๊น์ : 🚌</div>
- <br />
- <div>๋ฐ์ฌ์ฑ, ์ ํธ์์ด ์ฐ์นํ์ต๋๋ค.</div>
+ <h2 class="text-center">๋ฐ์ง๊ฐ ๋์น๋ ์๋์ฐจ ๋ ์ด์ฑ ๊ฒ์ with Pobi</h2>
+ <div class="form-show-div" class="form-group">
+ <h3>๊ฒฐ๊ณผ์
๋๋ค</h3>
+ (์ด๋ฆ๋ง๋ค ๋์ด์ฐ๊ธฐ๋ก ๊ตฌ๋ถํด ์ฃผ์ธ์.)
+ {{#cars}}
+ <div id="standings">{{name}} : {{#whiteSpaceList}} {{/whiteSpaceList}}🚌</div>
+ {{/cars}}
+ <br/>
+ <div>{{#winners}}
+ {{#if @last}}
+ {{this}}
+ {{else}}
+ {{this}},
+ {{/if}}
+ {{/winners}}์ด ์ฐ์นํ์ต๋๋ค.</div>
+ </div>
</div>
- </div>
</div>
- </div>
+</div>
</body>
-<script src="/js/race.js">
-</script>
</html>
\ No newline at end of file | Unknown | ์ด ๋ถ๋ถ์ ์ด๋ป๊ฒ ํ ๊น ๊ณ ๋ฏผํ๋ค๊ฐ..๊ทธ๋ฅ ๋ฌธ๊ตฌ๋ฅผ ์์ ํ๋๋ฐ, ์ด ๋ถ๊ธฐ๋ฌธ ๋ฃ๋ ๊ฒ๋ ์๊ฐํด๋ด์ผ๊ฒ ๋ค์๐ |
@@ -0,0 +1,79 @@
+package view;
+
+import domain.car.Car;
+import domain.game.RacingGame;
+import domain.game.Track;
+import domain.random.RandomGenerator;
+import domain.strategy.RandomMovingStrategy;
+import dto.CarDto;
+import dto.RacingGameRequestDto;
+import spark.Route;
+import util.Splitter;
+
+import java.util.HashMap;
+import java.util.List;
+import java.util.Random;
+
+import static java.util.stream.Collectors.toList;
+import static util.RenderUtil.render;
+import static util.Splitter.COMMA;
+
+public class WebRacingHandler {
+ public Route handleGetName() {
+ return (req, res) -> {
+ HashMap<String, Object> model = new HashMap<>();
+ String names = req.queryParams("names");
+
+ List<String> splitNames = Splitter.splitBlank(names);
+ model.put("names", splitNames);
+ model.put("nameStrings", String.join(COMMA, splitNames));
+ return render(model, "/game.html");
+ };
+ }
+
+ public Route handleResult() {
+ return (req, res) -> {
+ final HashMap<String, Object> model = new HashMap<>();
+ final RacingGameRequestDto racingGameRequestDto = new RacingGameRequestDto(Integer.parseInt(req.queryParams("turn")), req.queryParams("names"));
+
+ final RacingGame racingGame = generateRacingGame(racingGameRequestDto);
+
+ finishGame(racingGame);
+ Track track = racingGame.getTrack();
+
+ List<CarDto> carDtos = mapToCarDto(track);
+ List<String> nameOfWinners = mapToName(racingGame);
+
+
+ model.put("cars", carDtos);
+ model.put("winners", nameOfWinners);
+ return render(model, "/result.html");
+ };
+ }
+
+ private void finishGame(RacingGame racingGame) {
+ while (!racingGame.isDone()) {
+ racingGame.proceedOneTurn();
+ }
+ }
+
+ private RacingGame generateRacingGame(RacingGameRequestDto racingGameRequestDto) {
+ final Random generate = RandomGenerator.generate();
+ final RandomMovingStrategy movingStrategy = new RandomMovingStrategy(generate);
+ return RacingGame.newInstance(racingGameRequestDto.getNames(), racingGameRequestDto.getTurn(), movingStrategy);
+ }
+
+ private List<String> mapToName(RacingGame racingGame) {
+ return racingGame.getWinner()
+ .stream()
+ .map(Car::getName)
+ .collect(toList());
+ }
+
+ private List<CarDto> mapToCarDto(Track track) {
+ return track.getCars()
+ .stream()
+ .map(CarDto::new)
+ .collect(toList());
+ }
+} | Java | ๊ฒ์์์์ ํ์ํ input๊ณผ ๊ฒฐ๊ณผ๊ฐ์ธ result๋ฅผ ๊ฐ์ ธ์ค๋ ๋ก์ง์ ๋ฉ์๋๋ก ๋ถ๋ฆฌํ๋ฉด ๋ ๊น๋ํด ์ง๊ฑฐ ๊ฐ์์ |
@@ -0,0 +1,79 @@
+package view;
+
+import domain.car.Car;
+import domain.game.RacingGame;
+import domain.game.Track;
+import domain.random.RandomGenerator;
+import domain.strategy.RandomMovingStrategy;
+import dto.CarDto;
+import dto.RacingGameRequestDto;
+import spark.Route;
+import util.Splitter;
+
+import java.util.HashMap;
+import java.util.List;
+import java.util.Random;
+
+import static java.util.stream.Collectors.toList;
+import static util.RenderUtil.render;
+import static util.Splitter.COMMA;
+
+public class WebRacingHandler {
+ public Route handleGetName() {
+ return (req, res) -> {
+ HashMap<String, Object> model = new HashMap<>();
+ String names = req.queryParams("names");
+
+ List<String> splitNames = Splitter.splitBlank(names);
+ model.put("names", splitNames);
+ model.put("nameStrings", String.join(COMMA, splitNames));
+ return render(model, "/game.html");
+ };
+ }
+
+ public Route handleResult() {
+ return (req, res) -> {
+ final HashMap<String, Object> model = new HashMap<>();
+ final RacingGameRequestDto racingGameRequestDto = new RacingGameRequestDto(Integer.parseInt(req.queryParams("turn")), req.queryParams("names"));
+
+ final RacingGame racingGame = generateRacingGame(racingGameRequestDto);
+
+ finishGame(racingGame);
+ Track track = racingGame.getTrack();
+
+ List<CarDto> carDtos = mapToCarDto(track);
+ List<String> nameOfWinners = mapToName(racingGame);
+
+
+ model.put("cars", carDtos);
+ model.put("winners", nameOfWinners);
+ return render(model, "/result.html");
+ };
+ }
+
+ private void finishGame(RacingGame racingGame) {
+ while (!racingGame.isDone()) {
+ racingGame.proceedOneTurn();
+ }
+ }
+
+ private RacingGame generateRacingGame(RacingGameRequestDto racingGameRequestDto) {
+ final Random generate = RandomGenerator.generate();
+ final RandomMovingStrategy movingStrategy = new RandomMovingStrategy(generate);
+ return RacingGame.newInstance(racingGameRequestDto.getNames(), racingGameRequestDto.getTurn(), movingStrategy);
+ }
+
+ private List<String> mapToName(RacingGame racingGame) {
+ return racingGame.getWinner()
+ .stream()
+ .map(Car::getName)
+ .collect(toList());
+ }
+
+ private List<CarDto> mapToCarDto(Track track) {
+ return track.getCars()
+ .stream()
+ .map(CarDto::new)
+ .collect(toList());
+ }
+} | Java | ๋ฉ์๋๋ฅผ ๋ถํดํด๋ ์ข์๊ฒ ๊ฐ์ต๋๋ค ๐ ! |
@@ -0,0 +1,25 @@
+import view.WebRacingHandler;
+
+import java.util.HashMap;
+
+import static spark.Spark.*;
+import static util.RenderUtil.render;
+
+public class WebMain {
+ public static final int PORT = 8080;
+ private static WebRacingHandler webRacingHandler = new WebRacingHandler();
+
+ public static void main(String[] args) {
+ port(PORT);
+
+ get("/", (req, res) -> render(new HashMap<>(), "/index.html"));
+
+ post("/name", webRacingHandler.handleGetName());
+
+ post("/result", webRacingHandler.handleResult());
+ }
+
+
+
+
+}
\ No newline at end of file | Java | ํ, ๋ณ๊ฑด์๋๋ฐ `post`๊ฐ ์๊ตฌ์ฌํญ์ด์์ต๋๋ค ๐ |
@@ -0,0 +1,79 @@
+package view;
+
+import domain.car.Car;
+import domain.game.RacingGame;
+import domain.game.Track;
+import domain.random.RandomGenerator;
+import domain.strategy.RandomMovingStrategy;
+import dto.CarDto;
+import dto.RacingGameRequestDto;
+import spark.Route;
+import util.Splitter;
+
+import java.util.HashMap;
+import java.util.List;
+import java.util.Random;
+
+import static java.util.stream.Collectors.toList;
+import static util.RenderUtil.render;
+import static util.Splitter.COMMA;
+
+public class WebRacingHandler {
+ public Route handleGetName() {
+ return (req, res) -> {
+ HashMap<String, Object> model = new HashMap<>();
+ String names = req.queryParams("names");
+
+ List<String> splitNames = Splitter.splitBlank(names);
+ model.put("names", splitNames);
+ model.put("nameStrings", String.join(COMMA, splitNames));
+ return render(model, "/game.html");
+ };
+ }
+
+ public Route handleResult() {
+ return (req, res) -> {
+ final HashMap<String, Object> model = new HashMap<>();
+ final RacingGameRequestDto racingGameRequestDto = new RacingGameRequestDto(Integer.parseInt(req.queryParams("turn")), req.queryParams("names"));
+
+ final RacingGame racingGame = generateRacingGame(racingGameRequestDto);
+
+ finishGame(racingGame);
+ Track track = racingGame.getTrack();
+
+ List<CarDto> carDtos = mapToCarDto(track);
+ List<String> nameOfWinners = mapToName(racingGame);
+
+
+ model.put("cars", carDtos);
+ model.put("winners", nameOfWinners);
+ return render(model, "/result.html");
+ };
+ }
+
+ private void finishGame(RacingGame racingGame) {
+ while (!racingGame.isDone()) {
+ racingGame.proceedOneTurn();
+ }
+ }
+
+ private RacingGame generateRacingGame(RacingGameRequestDto racingGameRequestDto) {
+ final Random generate = RandomGenerator.generate();
+ final RandomMovingStrategy movingStrategy = new RandomMovingStrategy(generate);
+ return RacingGame.newInstance(racingGameRequestDto.getNames(), racingGameRequestDto.getTurn(), movingStrategy);
+ }
+
+ private List<String> mapToName(RacingGame racingGame) {
+ return racingGame.getWinner()
+ .stream()
+ .map(Car::getName)
+ .collect(toList());
+ }
+
+ private List<CarDto> mapToCarDto(Track track) {
+ return track.getCars()
+ .stream()
+ .map(CarDto::new)
+ .collect(toList());
+ }
+} | Java | ์๊ฑด ๋ฐํ๊ฐ์ด ๋ฐ๋ก ์๋์ด์ ๊ฐ ์์๊น์ ?
`getTracks()`๋ ๋ฉ์๋๊ฐ ๋ฐ๋ก์์ด์์! |
@@ -0,0 +1,79 @@
+package view;
+
+import domain.car.Car;
+import domain.game.RacingGame;
+import domain.game.Track;
+import domain.random.RandomGenerator;
+import domain.strategy.RandomMovingStrategy;
+import dto.CarDto;
+import dto.RacingGameRequestDto;
+import spark.Route;
+import util.Splitter;
+
+import java.util.HashMap;
+import java.util.List;
+import java.util.Random;
+
+import static java.util.stream.Collectors.toList;
+import static util.RenderUtil.render;
+import static util.Splitter.COMMA;
+
+public class WebRacingHandler {
+ public Route handleGetName() {
+ return (req, res) -> {
+ HashMap<String, Object> model = new HashMap<>();
+ String names = req.queryParams("names");
+
+ List<String> splitNames = Splitter.splitBlank(names);
+ model.put("names", splitNames);
+ model.put("nameStrings", String.join(COMMA, splitNames));
+ return render(model, "/game.html");
+ };
+ }
+
+ public Route handleResult() {
+ return (req, res) -> {
+ final HashMap<String, Object> model = new HashMap<>();
+ final RacingGameRequestDto racingGameRequestDto = new RacingGameRequestDto(Integer.parseInt(req.queryParams("turn")), req.queryParams("names"));
+
+ final RacingGame racingGame = generateRacingGame(racingGameRequestDto);
+
+ finishGame(racingGame);
+ Track track = racingGame.getTrack();
+
+ List<CarDto> carDtos = mapToCarDto(track);
+ List<String> nameOfWinners = mapToName(racingGame);
+
+
+ model.put("cars", carDtos);
+ model.put("winners", nameOfWinners);
+ return render(model, "/result.html");
+ };
+ }
+
+ private void finishGame(RacingGame racingGame) {
+ while (!racingGame.isDone()) {
+ racingGame.proceedOneTurn();
+ }
+ }
+
+ private RacingGame generateRacingGame(RacingGameRequestDto racingGameRequestDto) {
+ final Random generate = RandomGenerator.generate();
+ final RandomMovingStrategy movingStrategy = new RandomMovingStrategy(generate);
+ return RacingGame.newInstance(racingGameRequestDto.getNames(), racingGameRequestDto.getTurn(), movingStrategy);
+ }
+
+ private List<String> mapToName(RacingGame racingGame) {
+ return racingGame.getWinner()
+ .stream()
+ .map(Car::getName)
+ .collect(toList());
+ }
+
+ private List<CarDto> mapToCarDto(Track track) {
+ return track.getCars()
+ .stream()
+ .map(CarDto::new)
+ .collect(toList());
+ }
+} | Java | ํด๋น ์์ญ์ ๋ถ๋ฆฌํ๋ฉด ์ข์ ๊ฒ ๊ฐ์์! |
@@ -0,0 +1,25 @@
+package com.example.chatgptcodereviewtest.controller;
+
+import com.example.chatgptcodereviewtest.dto.InputDto;
+import com.example.chatgptcodereviewtest.service.TestService;
+import lombok.RequiredArgsConstructor;
+import org.springframework.web.bind.annotation.*;
+
+/**
+ * ์ค๋ช
:
+ *
+ * @author ์ตํ๋ฒ(Jayce) / hb.choi@dreamus.io
+ * @since 2023/03/23
+ */
+@RestController
+@RequestMapping("/test")
+@RequiredArgsConstructor
+public class TestController {
+
+ private final TestService testService;
+
+ @PostMapping
+ public int convertText(@RequestBody InputDto inputDto) {
+ return testService.addAgeAndNameLength(inputDto);
+ }
+} | Java | ์ ์ฝ๋ ์กฐ๊ฐ์์๋ `TestController` ํด๋์ค๋ฅผ ์ ์ํ๊ณ ์์ผ๋ฉฐ, ํด๋น ์ปจํธ๋กค๋ฌ์ `convertText` ๋ฉ์๋๋ `InputDto` ๊ฐ์ฒด๋ฅผ ๋ฐ์๋ค์ฌ `testService`์์ `addAgeAndNameLength` ๋ฉ์๋๋ฅผ ํธ์ถํ ๊ฒฐ๊ณผ๋ฅผ ๋ฐํํฉ๋๋ค.
์ด ์ฝ๋ ์กฐ๊ฐ์ ๋ํ ์ฃผ์ ๊ฐ์ ์ ์์ ๋ค์๊ณผ ๊ฐ์ต๋๋ค:
1. ์ปจํธ๋กค๋ฌ์ ์๋น์ค ํด๋์ค์ ์ด๋ฆ์ ๋ ๋ช
ํํ๊ฒ ๋ํ๋ผ ์ ์๋๋ก ๋ณ๊ฒฝํ๋ ๊ฒ์ด ์ข์ต๋๋ค.
2. ์ปจํธ๋กค๋ฌ์์ ์ฌ์ฉ๋ ๊ฒฝ๋ก๋ช
(`"/test"`) ๋ฐ HTTP ๋ฉ์๋(`@PostMapping`)์ ๋ํด ์ถฉ๋ถํ ์ค๋ช
์ด ์์ผ๋ฏ๋ก API์ ์๋๋ฅผ ๋ ์ ์ค๋ช
ํ ํ์๊ฐ ์์ต๋๋ค.
3. `InputDto` ํด๋์ค์ ํ๋ ์ ํจ์ฑ ๊ฒ์ฌ๋ฅผ ์ํ ๊ฒ์ฆ ์ด๋
ธํ
์ด์
๋ฑ์ ์ถ๊ฐ์ ์ธ ๋ฒจ๋ฆฌ๋ฐ์ด์
๋ก์ง์ด ํ์ํฉ๋๋ค.
๋ฌธ์ ์ ์ผ๋ก๋ ํ์ฌ ์ฝ๋ ์ํ์ ๋ฌธ๋ฒ์ ์ธ ์ค๋ฅ๋ ๊ธฐ๋ฅ์์ ํฐ ์ํ์ ๋ณด์ด์ง ์์ต๋๋ค. |
@@ -0,0 +1,22 @@
+package com.example.chatgptcodereviewtest.dto;
+
+import lombok.AllArgsConstructor;
+import lombok.Getter;
+import lombok.NoArgsConstructor;
+import lombok.ToString;
+
+/**
+ * ์ค๋ช
:
+ *
+ * @author ์ตํ๋ฒ(Jayce) / hb.choi@dreamus.io
+ * @since 2023/03/23
+ */
+@Getter
+@ToString
+@NoArgsConstructor
+@AllArgsConstructor
+public class InputDto {
+
+ private String name;
+ private int age;
+} | Java | ์ ์ฝ๋๋ lombok ๋ผ์ด๋ธ๋ฌ๋ฆฌ๋ฅผ ์ด์ฉํด InputDto ํด๋์ค๋ฅผ ์์ฑํ๊ณ ์๋ ๊ฒ์ผ๋ก ๋ณด์
๋๋ค.
๊ฐ์ ์ :
1. ํด๋์ค์ ๋ณ์ ์ด๋ฆ์ ๋ ๋ช
ํํ๊ฒ ์ ์ด์ฃผ๋ฉด ์ข๊ฒ ์ต๋๋ค.
2. Setter๊ฐ ์๊ธฐ ๋๋ฌธ์ name๊ณผ age์ ๋ํ ์ผ๋ถ ์ ๋ณด ๋ณ๊ฒฝ์ด ๋ถ๊ฐ๋ฅํฉ๋๋ค. ๋ฐ๋ผ์, ํด๋น DTO๋ฅผ ์ฌ์ฉํ๋ ํด๋์ค์์ ์ ์ดํ ์ ์๋๋ก Setter ๋ฉ์๋ ์ถ๊ฐ๋ฅผ ๊ณ ๋ คํด๋ณผ ํ์์ฑ์ด ์์ต๋๋ค.
๋ฒ๊ทธ ๊ฐ๋ฅ์ฑ:
ํ์ฌ ํด๋น ์ฝ๋์์ ๋ฒ๊ทธ๋ ๋ณด์ด์ง ์์ต๋๋ค. |
@@ -0,0 +1,20 @@
+package com.example.chatgptcodereviewtest.service;
+
+import com.example.chatgptcodereviewtest.dto.InputDto;
+import org.springframework.stereotype.Service;
+
+/**
+ * ์ค๋ช
:
+ *
+ * @author ์ตํ๋ฒ(Jayce) / hb.choi@dreamus.io
+ * @since 2023/03/23
+ */
+@Service
+public class TestService {
+
+ public int addAgeAndNameLength(InputDto inputDto) {
+ int age = inputDto.getAge();
+ int nameLength = inputDto.getName().length();
+ return age + nameLength;
+ }
+} | Java | ์์ ์ฝ๋ ๋ฆฌ๋ทฐ์ ๋ํ ์ ์๊ฐ์
๋๋ค.
๊ธฐ๋ฅ์ ์ผ๋ก ๋ฌธ์ ๊ฐ ์์ด ๋ณด์ด๋ฉฐ, ์ถ๊ฐ ๊ฐ์ ์ฌํญ์ ์์ต๋๋ค. ๊ทธ๋ฌ๋ ๋ช ๊ฐ์ง ์์ ์์ ์ฌํญ์ ์ ์ํด ๋๋ฆฌ๊ฒ ์ต๋๋ค:
- ์ฃผ์์ด ์์ธํ์ง ์์ ๋ณ๊ฒฝ ๋ ํ๋ก์ ํธ์ ๋ํด ์ถฉ๋ถํ ์ค๋ช
์ ์ ๊ณตํ์ง ์์ต๋๋ค. ๋ฉ์๋ ์ด๋ฆ 'addAgeAndNameLength' ์์ฒด๊ฐ ๊ธฐ๋ฅ์ ์ค๋ช
ํ๋ ๋ฐ ๋งค์ฐ ํฌ๊ด์ ์
๋๋ค. ์ข ๋ ๊ตฌ์ฒด์ ์ธ ๋ฉ์๋ ๋ฐ ํด๋์ค ์ค๋ช
๊ณผ ํจ๊ป ์ฃผ์์ ์ถ๊ฐํ๋ ๊ฒ์ด ์ข์ต๋๋ค.
- ๋ชจ๋ ์์ธ๋ฅผ ์ฒ๋ฆฌ ํ ์ ์๋๋ก try-catch ๋ธ๋ก์ ์ถ๊ฐํ ์ ์์ต๋๋ค.
์์ธกํ ์์๋ ๊ฐ์ ์ ๋ฌํ์ฌ ์ถ๋ ฅ ๊ฐ์ด ์์๊ฐ๋๋ ๊ฒฝ์ฐ ๋ฑ ์ํ์ฑ์ด ์๋ ๊ธฐ๋ฅ์ ์์ผ๋ฉฐ, ๊ธฐ๋ณธ ์ ๋ ํ
์คํธ๋ฅผ ์์ฑํ์ฌ ์ฝ๋์ ์ ํ์ฑ์ ๊ฒ์ฆํ๋ ๊ฒ์ด ์ข์ต๋๋ค. |
@@ -0,0 +1,39 @@
+package nextstep.auth.authentication;
+
+import nextstep.member.application.UserDetailsService;
+import nextstep.member.domain.User;
+import org.springframework.web.servlet.HandlerInterceptor;
+
+import javax.servlet.http.HttpServletRequest;
+import javax.servlet.http.HttpServletResponse;
+import java.io.IOException;
+
+public abstract class Authenticator implements HandlerInterceptor {
+
+ private final UserDetailsService userDetailsService;
+
+ public Authenticator(UserDetailsService userDetailsService) {
+ this.userDetailsService = userDetailsService;
+ }
+
+ @Override
+ public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws IOException {
+ AuthenticationToken token = convert(request);
+ User user = userDetailsService.loadUserByUsername(token.getPrincipal());
+
+ checkAuthentication(user, token.getCredentials());
+ authenticate(user, response);
+
+ return false;
+ }
+
+ abstract public AuthenticationToken convert(HttpServletRequest request) throws IOException;
+
+ abstract public void authenticate(User user, HttpServletResponse response) throws IOException;
+
+ private void checkAuthentication(User user, String password) {
+ if (!user.checkPassword(password)) {
+ throw new AuthenticationException();
+ }
+ }
+} | Java | ์๋ ์๊ตฌ์ฌํญ์ด ๋ฐ์๋์ง ์์ ๊ฒ ๊ฐ์์ ๐ข
<img width="516" alt="แแ
ณแแ
ณแ
แ
ตแซแแ
ฃแบ 2022-08-16 แแ
ฉแแ
ฎ 10 07 08" src="https://user-images.githubusercontent.com/17218212/184886987-febc108f-8b2f-403b-a53e-bf36f069cc24.png"> |
@@ -1,51 +1,45 @@
package nextstep.auth.token;
import com.fasterxml.jackson.databind.ObjectMapper;
-import nextstep.auth.authentication.AuthenticationException;
-import nextstep.member.application.LoginMemberService;
-import nextstep.member.domain.LoginMember;
+import nextstep.auth.authentication.AuthenticationToken;
+import nextstep.auth.authentication.Authenticator;
+import nextstep.member.application.UserDetailsService;
+import nextstep.member.domain.User;
import org.springframework.http.MediaType;
-import org.springframework.web.servlet.HandlerInterceptor;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
+import java.io.IOException;
import java.util.stream.Collectors;
-public class TokenAuthenticationInterceptor implements HandlerInterceptor {
- private LoginMemberService loginMemberService;
- private JwtTokenProvider jwtTokenProvider;
+public class TokenAuthenticationInterceptor extends Authenticator {
+ private final JwtTokenProvider jwtTokenProvider;
+ private final ObjectMapper objectMapper = new ObjectMapper();
- public TokenAuthenticationInterceptor(LoginMemberService loginMemberService, JwtTokenProvider jwtTokenProvider) {
- this.loginMemberService = loginMemberService;
+ public TokenAuthenticationInterceptor(UserDetailsService userDetailsService, JwtTokenProvider jwtTokenProvider) {
+ super(userDetailsService);
this.jwtTokenProvider = jwtTokenProvider;
}
@Override
- public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws Exception {
+ public AuthenticationToken convert(HttpServletRequest request) throws IOException {
String content = request.getReader().lines().collect(Collectors.joining(System.lineSeparator()));
TokenRequest tokenRequest = new ObjectMapper().readValue(content, TokenRequest.class);
String principal = tokenRequest.getEmail();
String credentials = tokenRequest.getPassword();
- LoginMember loginMember = loginMemberService.loadUserByUsername(principal);
-
- if (loginMember == null) {
- throw new AuthenticationException();
- }
-
- if (!loginMember.checkPassword(credentials)) {
- throw new AuthenticationException();
- }
+ return new AuthenticationToken(principal, credentials);
+ }
- String token = jwtTokenProvider.createToken(loginMember.getEmail(), loginMember.getAuthorities());
+ @Override
+ public void authenticate(User member, HttpServletResponse response) throws IOException {
+ String token = jwtTokenProvider.createToken(member.getEmail(), member.getAuthorities());
TokenResponse tokenResponse = new TokenResponse(token);
- String responseToClient = new ObjectMapper().writeValueAsString(tokenResponse);
+ String responseToClient = objectMapper.writeValueAsString(tokenResponse);
response.setStatus(HttpServletResponse.SC_OK);
response.setContentType(MediaType.APPLICATION_JSON_VALUE);
response.getOutputStream().print(responseToClient);
-
- return false;
}
} | Java | `ObjectMapper` ๋ ์์ฑ ๋น์ฉ์ด ๋น์ธ๋ค๊ณ ์๋ ค์ง ๊ฐ์ฒด์
๋๋ค. ์์กด์ฑ ์ฃผ์
์ ํตํด ํด๊ฒฐํด๋ณผ ์ ์์๊น์? ๐ |
@@ -0,0 +1,8 @@
+package nextstep.member.application;
+
+import nextstep.member.domain.User;
+
+public interface UserDetailsService {
+
+ User loadUserByUsername(String email);
+} | Java | ์ด ์ธํฐํ์ด์ค๊ฐ `member` ํจํค์ง์ ์๋๊ฒ ๋ง์๊น์? ๐ค |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.