code stringlengths 41 34.3k | lang stringclasses 8
values | review stringlengths 1 4.74k |
|---|---|---|
@@ -0,0 +1,70 @@
+package christmas.domain.order.menu;
+
+import java.util.Arrays;
+import java.util.Map;
+
+public enum Menu {
+
+ // ๊ธฐํ
+ NONE("์์", 0, MenuType.NONE),
+
+ // ์ํผํ์ด์
+ MUSHROOM_SOUP("์์ก์ด ์คํ", 6_000, MenuType.APPETIZER),
+ TAPAS("ํํ์ค", 5_500, MenuType.APPETIZER),
+ CAESAR_SALAD("์์ ์๋ฌ๋", 8_000, MenuType.APPETIZER),
+
+ // ๋ฉ์ธ
+ T_BONE_STEAK("ํฐ๋ณธ์คํ
์ดํฌ", 55_000, MenuType.MAIN),
+ BBQ_RIBS("๋ฐ๋นํ๋ฆฝ", 54_000, MenuType.MAIN),
+ SEAFOOD_PASTA("ํด์ฐ๋ฌผํ์คํ", 35_000, MenuType.MAIN),
+ CHRISTMAS_PASTA("ํฌ๋ฆฌ์ค๋ง์คํ์คํ", 25_000, MenuType.MAIN),
+
+ // ๋์ ํธ
+ CHOCOLATE_CAKE("์ด์ฝ์ผ์ดํฌ", 15_000, MenuType.DESSERT),
+ ICE_CREAM("์์ด์คํฌ๋ฆผ", 5_000, MenuType.DESSERT),
+
+ // ์๋ฃ
+ ZERO_COKE("์ ๋ก์ฝ๋ผ", 3_000, MenuType.DRINK),
+ RED_WINE("๋ ๋์์ธ", 60_000, MenuType.DRINK),
+ CHAMPAGNE("์ดํ์ธ", 25_000, MenuType.DRINK);
+
+ private final String name;
+ private final int price;
+ private final MenuType type;
+
+ Menu(String name, int price, MenuType type) {
+ this.name = name;
+ this.price = price;
+ this.type = type;
+ }
+
+ public static Menu findByName(String name) {
+ return Arrays.stream(values())
+ .filter(menu -> menu.name.equals(name))
+ .findAny()
+ .orElse(Menu.NONE);
+ }
+
+ public static boolean isGiftMenu(Menu menu) {
+ return getGiftMenus()
+ .keySet()
+ .stream()
+ .anyMatch(giftMenu -> giftMenu.equals(menu));
+ }
+
+ public static Map<Menu, Quantity> getGiftMenus() {
+ return Map.of(Menu.CHAMPAGNE, Quantity.create(1));
+ }
+
+ public String getName() {
+ return name;
+ }
+
+ public int getPrice() {
+ return price;
+ }
+
+ public MenuType getType() {
+ return type;
+ }
+} | Java | ์ ๊ฒฝ์ฐ 1์ ์ํด ์ด๋ฒคํธ์ ์ด๋ฒคํธ๊ฐ ๋ณ๊ฒฝ๋ ์ ์๋ค ๊ฐ์ ํด Menu ์ธํฐํ์ด์ค๋ฅผ ์ ์ธํ ๋ค ์ํผํ์ด์ , ๋ฉ์ธ, ๋์ ํธ, ์๋ฃ๋ณ๋ก ENUM ๊ฐ์ฒด๋ฅผ ๊ฐ๊ฐ ๋ฐ๋ก ์ ์ธํ์ต๋๋ค!
์ฐธ๊ณ ํ์๋ฉด ์ข์ ๊ฒ ๊ฐ์์!
``` java
public interface Menu {
int discount(int day);
String getName();
int getPrice();
}
```
``` java
public enum Appetizer implements Menu {
MUSHROOM_SOUP("์์ก์ด์ํ", 6000),
TAPAS("ํํ์ค", 5500),
CAESAR_SALAD("์์ ์๋ฌ๋", 8000);
private final String name;
private final int price;
Appetizer(String name, int price) {
this.name = name;
this.price = price;
}
@Override
public int discount(int day) {
return 0;
}
@Override
public String getName() {
return name;
}
@Override
public int getPrice() {
return price;
}
}
``` |
@@ -0,0 +1,40 @@
+package christmas.domain.order.menu;
+
+import christmas.validator.OrderValidator;
+
+import java.util.Objects;
+
+public class Quantity {
+
+ private final Integer quantity;
+
+ private Quantity(Integer quantity) {
+ validate(quantity);
+ this.quantity = quantity;
+ }
+
+ public static Quantity create(Integer quantity) {
+ return new Quantity(quantity);
+ }
+
+ private void validate(Integer quantity) {
+ OrderValidator.validateIsEachQuantityGreaterThanCondition(quantity);
+ }
+
+ @Override
+ public boolean equals(Object o) {
+ if (this == o) return true;
+ if (o == null || getClass() != o.getClass()) return false;
+ Quantity quantity1 = (Quantity) o;
+ return Objects.equals(quantity, quantity1.quantity);
+ }
+
+ @Override
+ public int hashCode() {
+ return Objects.hash(quantity);
+ }
+
+ public Integer getPrimitiveQuantity() {
+ return quantity;
+ }
+} | Java | int๊ฐ ์๋ Integer๋ก ์ ์ธํด์ฃผ์๋ ์ด์ ๊ฐ ๊ถ๊ธํฉ๋๋ค!๐ค |
@@ -0,0 +1,18 @@
+package christmas.domain.discount;
+
+import christmas.domain.order.Day;
+import christmas.domain.order.Order;
+
+public interface Discount {
+
+ public void calculateDiscountAmount(Order order, Day day);
+
+ public void checkIsAvailableDiscount(Order order, Day day);
+
+ public String getName();
+
+ public int getDiscountAmount();
+
+ public boolean getIsAvailable();
+
+} | Java | ๋คํ์ฑ์ ์ด์ฉํ๋ ์ ๋ง ์ข์ ๋ฐฉ๋ฒ์ด๋ค์ ๋ฐฐ์ฐ๊ณ ๊ฐ๋๋ค! |
@@ -0,0 +1,119 @@
+package christmas.validator;
+
+import christmas.domain.order.menu.Menu;
+import christmas.dto.request.OrderRequest;
+import christmas.util.InputUtil;
+import christmas.exception.ErrorMessage;
+
+import java.util.Arrays;
+import java.util.List;
+import java.util.regex.Pattern;
+
+public class InputValidator {
+
+ private InputValidator() {
+
+ }
+
+ /*
+ ์๋น ์์ ๋ฐฉ๋ฌธ ๋ ์ง ์
๋ ฅ๊ฐ ๊ฒ์ฆ
+ */
+ public static void validateEstimatedVisitingDateInput(String input) {
+ validateIsBlank(input);
+ validateIsDigit(input);
+ }
+
+ /*
+ ์ฃผ๋ฌธ ๋ฉ๋ด ๋ฐ ๊ฐ์ ์
๋ ฅ๊ฐ ์ ์ฒด ๊ฒ์ฆ
+ */
+ public static void validateOrder(String input) {
+ validateOrderInput(input);
+ validateOrderRequest(input);
+ }
+
+ /*
+ ์ฃผ๋ฌธ ๋ฉ๋ด ๋ฐ ๊ฐ์ ์
๋ ฅ๊ฐ ๋ถ๋ฆฌ ์ ๊ฒ์ฆ
+ */
+ private static void validateOrderInput(String input) {
+ validateIsBlank(input);
+ validateIsRightFormat(input);
+ }
+
+ private static void validateIsRightFormat(String input) {
+ if (!isRightFormat(input)) {
+ throw new IllegalArgumentException(ErrorMessage.INVALID_ORDER.getMessage());
+ }
+ }
+
+ private static boolean isRightFormat(String input) {
+ String regex = ErrorMessage.ORDER_INPUT_REGEX.getMessage();
+ return Pattern.compile(regex)
+ .matcher(input)
+ .matches();
+ }
+
+ /*
+ ์ฃผ๋ฌธ ๋ฉ๋ด ๋ฐ ๊ฐ์ ์
๋ ฅ๊ฐ ๋ถ๋ฆฌ ํ ๊ฒ์ฆ
+ */
+ private static void validateOrderRequest(String input) {
+ List<OrderRequest> orderRequests = InputUtil.parseOrder(input);
+ validateIsExistingMenu(orderRequests);
+ validateHasDuplicatedMenu(orderRequests);
+ }
+
+ private static void validateIsExistingMenu(List<OrderRequest> orderRequests) {
+ if (!isExistingMenu(orderRequests)) {
+ throw new IllegalArgumentException(ErrorMessage.INVALID_ORDER.getMessage());
+ }
+ }
+
+ private static boolean isExistingMenu(List<OrderRequest> orderRequests) {
+ List<String> menuNames = getMenuNames();
+ return orderRequests.stream()
+ .map(OrderRequest::getMenuName)
+ .allMatch(menuNames::contains);
+ }
+
+ private static List<String> getMenuNames() {
+ return Arrays.stream(Menu.values())
+ .map(Menu::getName)
+ .toList();
+ }
+
+ private static void validateHasDuplicatedMenu(List<OrderRequest> orderRequests) {
+ if (hasDuplicatedMenu(orderRequests)) {
+ throw new IllegalArgumentException(ErrorMessage.INVALID_ORDER.getMessage());
+ }
+ }
+
+ private static boolean hasDuplicatedMenu(List<OrderRequest> orderRequests) {
+ return orderRequests.stream()
+ .map(OrderRequest::getMenuName)
+ .distinct()
+ .count() != orderRequests.size();
+ }
+
+ /*
+ ๊ณตํต ๊ฒ์ฆ
+ */
+ private static void validateIsBlank(String input) {
+ if (input.isBlank()) {
+ throw new IllegalArgumentException(ErrorMessage.INPUT_IS_BLANK.getMessage());
+ }
+ }
+
+ private static void validateIsDigit(String input) {
+ if (!isDigit(input)) {
+ throw new IllegalArgumentException(ErrorMessage.INVALID_DATE.getMessage());
+ }
+ }
+
+ private static boolean isDigit(String input) {
+ try {
+ Integer.parseInt(input);
+ return true;
+ } catch (NumberFormatException e) {
+ return false;
+ }
+ }
+} | Java | ํ์ฌ InputValidator ๊ฐ์ฒด์์ ์ฌ์ฉ๋๋ ๋ฉ์๋๋ค์ ๋๋ถ๋ถ ํน์ ๋๋ฉ์ธ์ ์ ํจ์ฑ ๊ฒ์ฌ๋ฅผ ์ํด ์ฌ์ฉ๋๊ณ ์๋๋ฐ ์ธ์คํด์ค ๋ฉ์๋๋ก ์ฌ์ฉํ๋๊ฑด ์ด๋ ์ ๊ฐ์?? |
@@ -0,0 +1,40 @@
+package christmas.domain.order.menu;
+
+import christmas.validator.OrderValidator;
+
+import java.util.Objects;
+
+public class Quantity {
+
+ private final Integer quantity;
+
+ private Quantity(Integer quantity) {
+ validate(quantity);
+ this.quantity = quantity;
+ }
+
+ public static Quantity create(Integer quantity) {
+ return new Quantity(quantity);
+ }
+
+ private void validate(Integer quantity) {
+ OrderValidator.validateIsEachQuantityGreaterThanCondition(quantity);
+ }
+
+ @Override
+ public boolean equals(Object o) {
+ if (this == o) return true;
+ if (o == null || getClass() != o.getClass()) return false;
+ Quantity quantity1 = (Quantity) o;
+ return Objects.equals(quantity, quantity1.quantity);
+ }
+
+ @Override
+ public int hashCode() {
+ return Objects.hash(quantity);
+ }
+
+ public Integer getPrimitiveQuantity() {
+ return quantity;
+ }
+} | Java | ํฐ ์๋ฏธ๊ฐ ์๋ ๊ฒ์ ์๋๊ณ , null ์ฒ๋ฆฌ์ ๋๋นํ์ฌ Integer๋ฅผ ์ฌ์ฉํ๊ฒ ๋์์ต๋๋ค. ์ฌ์ค ์
๋ ฅ๊ฐ ๊ฒ์ฆ ๋ก์ง์ด ์ด๋ฏธ ์์ด์ null์ด ๋ค์ด๊ฐ ์ผ์ ์์ ๊ฒ ๊ฐ๊ธฐ๋ ํ๋ค์! |
@@ -0,0 +1,119 @@
+package christmas.validator;
+
+import christmas.domain.order.menu.Menu;
+import christmas.dto.request.OrderRequest;
+import christmas.util.InputUtil;
+import christmas.exception.ErrorMessage;
+
+import java.util.Arrays;
+import java.util.List;
+import java.util.regex.Pattern;
+
+public class InputValidator {
+
+ private InputValidator() {
+
+ }
+
+ /*
+ ์๋น ์์ ๋ฐฉ๋ฌธ ๋ ์ง ์
๋ ฅ๊ฐ ๊ฒ์ฆ
+ */
+ public static void validateEstimatedVisitingDateInput(String input) {
+ validateIsBlank(input);
+ validateIsDigit(input);
+ }
+
+ /*
+ ์ฃผ๋ฌธ ๋ฉ๋ด ๋ฐ ๊ฐ์ ์
๋ ฅ๊ฐ ์ ์ฒด ๊ฒ์ฆ
+ */
+ public static void validateOrder(String input) {
+ validateOrderInput(input);
+ validateOrderRequest(input);
+ }
+
+ /*
+ ์ฃผ๋ฌธ ๋ฉ๋ด ๋ฐ ๊ฐ์ ์
๋ ฅ๊ฐ ๋ถ๋ฆฌ ์ ๊ฒ์ฆ
+ */
+ private static void validateOrderInput(String input) {
+ validateIsBlank(input);
+ validateIsRightFormat(input);
+ }
+
+ private static void validateIsRightFormat(String input) {
+ if (!isRightFormat(input)) {
+ throw new IllegalArgumentException(ErrorMessage.INVALID_ORDER.getMessage());
+ }
+ }
+
+ private static boolean isRightFormat(String input) {
+ String regex = ErrorMessage.ORDER_INPUT_REGEX.getMessage();
+ return Pattern.compile(regex)
+ .matcher(input)
+ .matches();
+ }
+
+ /*
+ ์ฃผ๋ฌธ ๋ฉ๋ด ๋ฐ ๊ฐ์ ์
๋ ฅ๊ฐ ๋ถ๋ฆฌ ํ ๊ฒ์ฆ
+ */
+ private static void validateOrderRequest(String input) {
+ List<OrderRequest> orderRequests = InputUtil.parseOrder(input);
+ validateIsExistingMenu(orderRequests);
+ validateHasDuplicatedMenu(orderRequests);
+ }
+
+ private static void validateIsExistingMenu(List<OrderRequest> orderRequests) {
+ if (!isExistingMenu(orderRequests)) {
+ throw new IllegalArgumentException(ErrorMessage.INVALID_ORDER.getMessage());
+ }
+ }
+
+ private static boolean isExistingMenu(List<OrderRequest> orderRequests) {
+ List<String> menuNames = getMenuNames();
+ return orderRequests.stream()
+ .map(OrderRequest::getMenuName)
+ .allMatch(menuNames::contains);
+ }
+
+ private static List<String> getMenuNames() {
+ return Arrays.stream(Menu.values())
+ .map(Menu::getName)
+ .toList();
+ }
+
+ private static void validateHasDuplicatedMenu(List<OrderRequest> orderRequests) {
+ if (hasDuplicatedMenu(orderRequests)) {
+ throw new IllegalArgumentException(ErrorMessage.INVALID_ORDER.getMessage());
+ }
+ }
+
+ private static boolean hasDuplicatedMenu(List<OrderRequest> orderRequests) {
+ return orderRequests.stream()
+ .map(OrderRequest::getMenuName)
+ .distinct()
+ .count() != orderRequests.size();
+ }
+
+ /*
+ ๊ณตํต ๊ฒ์ฆ
+ */
+ private static void validateIsBlank(String input) {
+ if (input.isBlank()) {
+ throw new IllegalArgumentException(ErrorMessage.INPUT_IS_BLANK.getMessage());
+ }
+ }
+
+ private static void validateIsDigit(String input) {
+ if (!isDigit(input)) {
+ throw new IllegalArgumentException(ErrorMessage.INVALID_DATE.getMessage());
+ }
+ }
+
+ private static boolean isDigit(String input) {
+ try {
+ Integer.parseInt(input);
+ return true;
+ } catch (NumberFormatException e) {
+ return false;
+ }
+ }
+} | Java | ์ฌํ ํฌ๊ฒ ์๊ฐ์ ์ ํ๋ ๋ถ๋ถ์ธ๋ฐ, ์๋ฌด๋๋ static์ ๋ถ์ฌ์ ์๋ฌด๋ฐ์๋ ์ธ ์ ์๊ฒ ํ๋ ๊ฒ๋ณด๋ค๋ ํ์ํ ๊ณณ์์๋ง ๋ถ๋ฌ์์ ์ฌ์ฉํ๋ ํธ์ด ์ฅ์ ์ด ์๊ฒ ๋ค์! ์ข์ ์๊ฒฌ ๊ฐ์ฌํฉ๋๋ค ๐ |
@@ -0,0 +1,63 @@
+package christmas.controller;
+
+import christmas.domain.PromotionService;
+import christmas.domain.order.Day;
+import christmas.domain.order.Order;
+import christmas.dto.response.DiscountPreviewResponse;
+import christmas.view.InputView;
+import christmas.view.OutputView;
+
+import java.util.function.Supplier;
+
+public class PromotionController {
+
+ private PromotionController() {
+
+ }
+
+ public static PromotionController create() {
+ return new PromotionController();
+ }
+
+
+ public void run() {
+ printIntroductionMessage();
+
+ Day day = readWithExceptionHandling(PromotionController::readDay);
+ Order order = readWithExceptionHandling(PromotionController::readOrder);
+ PromotionService promotionService = PromotionService.create(order, day);
+ closeRead();
+
+ printDiscountPreviewMessage(promotionService);
+ }
+
+ private static void printIntroductionMessage() {
+ OutputView.printIntroductionMessage();
+ }
+
+ private static <T> T readWithExceptionHandling(Supplier<T> reader) {
+ while (true) {
+ try {
+ return reader.get();
+ } catch (IllegalArgumentException exception) {
+ System.out.println(exception.getMessage());
+ }
+ }
+ }
+
+ private static Day readDay() throws IllegalArgumentException {
+ return Day.create(InputView.readEstimatedVisitingDate());
+ }
+
+ private static Order readOrder() throws IllegalArgumentException {
+ return Order.create(InputView.readOrder());
+ }
+
+ private static void closeRead() {
+ InputView.closeRead();
+ }
+
+ private static void printDiscountPreviewMessage(PromotionService promotionService) {
+ OutputView.printDiscountPreviewMessage(DiscountPreviewResponse.from(promotionService));
+ }
+} | Java | ์...! ์ ๊ฐ ์ธํ
๋ฆฌ์ ์ด์ ๋ฉ์๋ ๋ถ๋ฆฌ ๋จ์ถํค์ธ option + command + v๋ฅผ ์์ฃผ ์ฌ์ฉํ๋๋ฐ, ๊ทธ ๊ณผ์ ์์ ์๋์ผ๋ก static ๋ฉ์๋๋ก ์ ์ธ๋ ๊ฒ ๊ฐ์ต๋๋ค. ์ ๋ถ ์ง์์ผ๊ฒ ๋ค์ ๐ |
@@ -0,0 +1,40 @@
+package christmas.domain.order;
+
+import christmas.validator.OrderValidator;
+
+import java.util.Objects;
+
+public class Day {
+
+ private final Integer day;
+
+ private Day(Integer day) {
+ validate(day);
+ this.day = day;
+ }
+
+ public static Day create(Integer day) {
+ return new Day(day);
+ }
+
+ private void validate(Integer day) {
+ OrderValidator.validateIsDateInRange(day);
+ }
+
+ @Override
+ public boolean equals(Object o) {
+ if (this == o) return true;
+ if (o == null || getClass() != o.getClass()) return false;
+ Day day1 = (Day) o;
+ return Objects.equals(day, day1.day);
+ }
+
+ @Override
+ public int hashCode() {
+ return Objects.hash(day);
+ }
+
+ public Integer getPrimitiveDay() {
+ return day;
+ }
+} | Java | ๊ฐ VO์์ ์ด๋ฃจ์ด์ง๋ ๊ฒ์ฆ์ ํ ๊ตฐ๋ฐ์์ ๋ชจ์ ๊ด๋ฆฌํ๋ฉด ํธ๋ฆฌํ ๊ฒ์ด๋ผ ์๊ฐํ์๋๋ฐ, ๋ง์์ฃผ์ ๊ฒ์ฒ๋ผ ์บก์ํ๊ฐ ๊นจ์ง๋ ๋ฌธ์ ๋ ์์ ๋ฟ๋๋ฌ OrderValidator ๊ฐ์ฒด๊ฐ ๋น๋ํด์ง๋ค๋ฉด ๊ฒฐ๊ตญ์ ๋ก์ง์ ๋ถ๋ฆฌํด์ผํ ๊ฒ์ด๊ณ ์ด๋ฌ๋ฉด ํ ๊ณณ์์ ๊ด๋ฆฌํ ์ ์๋ค๋ ์ฅ์ ๋ํ ์ฌ๋ผ์ง ๊ฒ ๊ฐ์ต๋๋ค.
๊ฒฐ๊ตญ์๋ ์ ์ผ ๊ด๋ จ์ฑ์ด ๊น์ VO ๋ด๋ถ์์ ์ ํจ์ฑ ๊ฒ์ฌ๋ฅผ ํ๋ ๊ฒ์ด ๋ง๊ฒ ๋ค์! ์ข์ ์กฐ์ธ ๊ฐ์ฌํฉ๋๋ค ๐ |
@@ -0,0 +1,74 @@
+package christmas.domain.order;
+
+import christmas.domain.order.menu.Menu;
+import christmas.domain.order.menu.Quantity;
+import christmas.dto.request.OrderRequest;
+import christmas.dto.response.OrderResponse;
+import christmas.util.InputUtil;
+import christmas.validator.OrderValidator;
+
+import java.util.EnumMap;
+import java.util.List;
+import java.util.Map;
+import java.util.Objects;
+
+public class Order {
+
+ Map<Menu, Quantity> Order;
+
+ private Order(List<OrderRequest> orderRequests) {
+ Map<Menu, Quantity> order = InputUtil.parseOrderRequests(orderRequests);
+ validate(order);
+ this.Order = new EnumMap<>(order);
+ }
+
+ public static Order create(List<OrderRequest> orderRequests) {
+ return new Order(orderRequests);
+ }
+
+ private void validate(Map<Menu, Quantity> order) {
+ OrderValidator.validateHasOnlyDrink(order);
+ OrderValidator.validateIsTotalQuantityValid(order);
+ }
+
+ public List<OrderResponse> findOrderResponses() {
+ return Order
+ .entrySet()
+ .stream()
+ .map(entry -> OrderResponse.of(entry.getKey(), entry.getValue()))
+ .toList();
+ }
+
+ public int calculateInitialPrice() {
+ return Order
+ .entrySet()
+ .stream()
+ .mapToInt(entry -> getMenuPrice(entry) * getEachQuantity(entry))
+ .sum();
+ }
+
+ private int getMenuPrice(Map.Entry<Menu, Quantity> entry) {
+ return entry.getKey().getPrice();
+ }
+
+ private Integer getEachQuantity(Map.Entry<Menu, Quantity> entry) {
+ return entry.getValue().getPrimitiveQuantity();
+ }
+
+ @Override
+ public boolean equals(Object o) {
+ if (this == o) return true;
+ if (o == null || getClass() != o.getClass()) return false;
+ Order order = (Order) o;
+ return Objects.equals(getOrder(), order.getOrder());
+ }
+
+ @Override
+ public int hashCode() {
+ return Objects.hash(getOrder());
+ }
+
+ public Map<Menu, Quantity> getOrder() {
+ return new EnumMap<>(Order);
+ }
+} | Java | ์ ๋ ์ง๊ธ ๋ดค๋ค์ใ
ใ
ใ
ใ
private ์ ์ธํด์ผ ๋๋๋ฐ ๊น๋จน์ ๊ฒ ๊ฐ์ต๋๋ค ๐คฃ |
@@ -0,0 +1,70 @@
+package christmas.domain.order.menu;
+
+import java.util.Arrays;
+import java.util.Map;
+
+public enum Menu {
+
+ // ๊ธฐํ
+ NONE("์์", 0, MenuType.NONE),
+
+ // ์ํผํ์ด์
+ MUSHROOM_SOUP("์์ก์ด ์คํ", 6_000, MenuType.APPETIZER),
+ TAPAS("ํํ์ค", 5_500, MenuType.APPETIZER),
+ CAESAR_SALAD("์์ ์๋ฌ๋", 8_000, MenuType.APPETIZER),
+
+ // ๋ฉ์ธ
+ T_BONE_STEAK("ํฐ๋ณธ์คํ
์ดํฌ", 55_000, MenuType.MAIN),
+ BBQ_RIBS("๋ฐ๋นํ๋ฆฝ", 54_000, MenuType.MAIN),
+ SEAFOOD_PASTA("ํด์ฐ๋ฌผํ์คํ", 35_000, MenuType.MAIN),
+ CHRISTMAS_PASTA("ํฌ๋ฆฌ์ค๋ง์คํ์คํ", 25_000, MenuType.MAIN),
+
+ // ๋์ ํธ
+ CHOCOLATE_CAKE("์ด์ฝ์ผ์ดํฌ", 15_000, MenuType.DESSERT),
+ ICE_CREAM("์์ด์คํฌ๋ฆผ", 5_000, MenuType.DESSERT),
+
+ // ์๋ฃ
+ ZERO_COKE("์ ๋ก์ฝ๋ผ", 3_000, MenuType.DRINK),
+ RED_WINE("๋ ๋์์ธ", 60_000, MenuType.DRINK),
+ CHAMPAGNE("์ดํ์ธ", 25_000, MenuType.DRINK);
+
+ private final String name;
+ private final int price;
+ private final MenuType type;
+
+ Menu(String name, int price, MenuType type) {
+ this.name = name;
+ this.price = price;
+ this.type = type;
+ }
+
+ public static Menu findByName(String name) {
+ return Arrays.stream(values())
+ .filter(menu -> menu.name.equals(name))
+ .findAny()
+ .orElse(Menu.NONE);
+ }
+
+ public static boolean isGiftMenu(Menu menu) {
+ return getGiftMenus()
+ .keySet()
+ .stream()
+ .anyMatch(giftMenu -> giftMenu.equals(menu));
+ }
+
+ public static Map<Menu, Quantity> getGiftMenus() {
+ return Map.of(Menu.CHAMPAGNE, Quantity.create(1));
+ }
+
+ public String getName() {
+ return name;
+ }
+
+ public int getPrice() {
+ return price;
+ }
+
+ public MenuType getType() {
+ return type;
+ }
+} | Java | ๋ฉ๋ด Enum์๋ ์ด๋ฐ ์์ผ๋ก ์ธํฐํ์ด์ค๋ฅผ ์ ์ฉํ ์ ์๋๋ฐ ์๊ฐํ์ง ๋ชปํ๋ค์! ์ฐธ๊ณ ํ๊ฒ ์ต๋๋ค...! |
@@ -0,0 +1,67 @@
+import { Button, Form, Input, Select, Space } from 'antd';
+import { REVIEW_CYCLE_FORM_NAMES, REVIEW_CYCLE_RULES } from './constants';
+import useMembers from '@apis/review/useMembers';
+import { ReviewCycleRequest } from '@apis/review/type';
+import { ReviewCycle } from '@apis/review/entities';
+
+interface Props {
+ onFinish: (values: ReviewCycleRequest) => void;
+ onReset: () => void;
+ initialValues?: {
+ name: ReviewCycle['name'];
+ reviewees: number[];
+ title: ReviewCycle['question']['title'];
+ description: ReviewCycle['question']['description'];
+ };
+ confirmButtonProps?: { text: string };
+ deleteButtonProps?: { text: string; handleClick: () => void };
+}
+
+export default function ReviewCycleForm({
+ onFinish,
+ onReset,
+ initialValues,
+ confirmButtonProps = { text: 'ํ์ธ' },
+ deleteButtonProps,
+}: Props) {
+ const { members, isLoading } = useMembers();
+
+ return (
+ <Form labelAlign="right" onFinish={onFinish} onReset={onReset} initialValues={initialValues}>
+ <Form.Item label="๋ฆฌ๋ทฐ ์ ์ฑ
์ด๋ฆ" name={REVIEW_CYCLE_FORM_NAMES.name} rules={REVIEW_CYCLE_RULES.reviewCycleName}>
+ <Input />
+ </Form.Item>
+
+ <Form.Item label="๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋" name={REVIEW_CYCLE_FORM_NAMES.reviewees} rules={REVIEW_CYCLE_RULES.reviewees}>
+ <Select
+ mode="multiple"
+ loading={isLoading}
+ placeholder="๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋์ ์ ํํด์ฃผ์ธ์."
+ optionFilterProp="label"
+ options={members?.map(m => ({ key: m.entityId, label: m.name, value: m.entityId }))}
+ />
+ </Form.Item>
+
+ <Form.Item label="์ง๋ฌธ" name={REVIEW_CYCLE_FORM_NAMES.question.title} rules={REVIEW_CYCLE_RULES.questionTitle}>
+ <Input />
+ </Form.Item>
+
+ <Form.Item
+ label="์ง๋ฌธ ์ค๋ช
"
+ name={REVIEW_CYCLE_FORM_NAMES.question.description}
+ rules={REVIEW_CYCLE_RULES.questionDescription}
+ >
+ <Input />
+ </Form.Item>
+ <Form.Item style={{ textAlign: 'right' }}>
+ <Space size={10}>
+ <Button htmlType="reset">์ทจ์</Button>
+ {deleteButtonProps && <Button onClick={deleteButtonProps.handleClick}>{deleteButtonProps.text}</Button>}
+ <Button type="primary" htmlType="submit">
+ {confirmButtonProps.text}
+ </Button>
+ </Space>
+ </Form.Item>
+ </Form>
+ );
+} | Unknown | ์๊ธฐ `form`์ ์์ด๋ ๋ ๊ฒ ๊ฐ์์~ |
@@ -0,0 +1,67 @@
+import { Button, Form, Input, Select, Space } from 'antd';
+import { REVIEW_CYCLE_FORM_NAMES, REVIEW_CYCLE_RULES } from './constants';
+import useMembers from '@apis/review/useMembers';
+import { ReviewCycleRequest } from '@apis/review/type';
+import { ReviewCycle } from '@apis/review/entities';
+
+interface Props {
+ onFinish: (values: ReviewCycleRequest) => void;
+ onReset: () => void;
+ initialValues?: {
+ name: ReviewCycle['name'];
+ reviewees: number[];
+ title: ReviewCycle['question']['title'];
+ description: ReviewCycle['question']['description'];
+ };
+ confirmButtonProps?: { text: string };
+ deleteButtonProps?: { text: string; handleClick: () => void };
+}
+
+export default function ReviewCycleForm({
+ onFinish,
+ onReset,
+ initialValues,
+ confirmButtonProps = { text: 'ํ์ธ' },
+ deleteButtonProps,
+}: Props) {
+ const { members, isLoading } = useMembers();
+
+ return (
+ <Form labelAlign="right" onFinish={onFinish} onReset={onReset} initialValues={initialValues}>
+ <Form.Item label="๋ฆฌ๋ทฐ ์ ์ฑ
์ด๋ฆ" name={REVIEW_CYCLE_FORM_NAMES.name} rules={REVIEW_CYCLE_RULES.reviewCycleName}>
+ <Input />
+ </Form.Item>
+
+ <Form.Item label="๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋" name={REVIEW_CYCLE_FORM_NAMES.reviewees} rules={REVIEW_CYCLE_RULES.reviewees}>
+ <Select
+ mode="multiple"
+ loading={isLoading}
+ placeholder="๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋์ ์ ํํด์ฃผ์ธ์."
+ optionFilterProp="label"
+ options={members?.map(m => ({ key: m.entityId, label: m.name, value: m.entityId }))}
+ />
+ </Form.Item>
+
+ <Form.Item label="์ง๋ฌธ" name={REVIEW_CYCLE_FORM_NAMES.question.title} rules={REVIEW_CYCLE_RULES.questionTitle}>
+ <Input />
+ </Form.Item>
+
+ <Form.Item
+ label="์ง๋ฌธ ์ค๋ช
"
+ name={REVIEW_CYCLE_FORM_NAMES.question.description}
+ rules={REVIEW_CYCLE_RULES.questionDescription}
+ >
+ <Input />
+ </Form.Item>
+ <Form.Item style={{ textAlign: 'right' }}>
+ <Space size={10}>
+ <Button htmlType="reset">์ทจ์</Button>
+ {deleteButtonProps && <Button onClick={deleteButtonProps.handleClick}>{deleteButtonProps.text}</Button>}
+ <Button type="primary" htmlType="submit">
+ {confirmButtonProps.text}
+ </Button>
+ </Space>
+ </Form.Item>
+ </Form>
+ );
+} | Unknown | ์ค ์ด๋ฐ ๋ฐฉ์์ผ๋ก ํ์ดํ ํ๋ฉด `initialValues`์ ๋ํ ํ์
์ ๋ฐ๋ก ๋ง๋ค์ด์ฃผ์ง ์์๋ ๋๊ณ ์ข๋ค์ ๐ |
@@ -0,0 +1,17 @@
+import { Rule } from 'antd/lib/form';
+
+export const REVIEW_CYCLE_FORM_NAMES = {
+ name: 'name',
+ reviewees: 'reviewees',
+ question: {
+ title: 'title',
+ description: 'description',
+ },
+} as const;
+
+export const REVIEW_CYCLE_RULES: Record<string, Rule[]> = {
+ reviewCycleName: [{ required: true, message: '๋ฆฌ๋ทฐ ์ ์ฑ
์ด๋ฆ์ ์
๋ ฅํ์ธ์.' }],
+ reviewees: [{ required: true, message: '๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋์ ์ ํํ์ธ์.' }],
+ questionTitle: [{ required: true, message: '์ง๋ฌธ ์ ๋ชฉ์ ์
๋ ฅํ์ธ์.' }],
+ questionDescription: [{ required: true, message: '์ง๋ฌธ ์ค๋ช
์ ์
๋ ฅํ์ธ์.' }],
+}; | TypeScript | ์๊ธฐ ์์๋ ๋ฐ๋ก ๋นผ์ ์ด์ ๊ฐ ๋ญ๊น์?
`Form.Item`์ `name` ์ธ์๋ ์ฌ์ฉ๋์ง ์๋ ๊ฒ ๊ฐ์๋ฐ `label`์ฒ๋ผ ๋ฐ๋ก ๋ฃ์ด๋ ์ข์๋ณด์ฌ์!
์๋๋ฉด label, name, rule์ ํ๋๋ก ๋ฌถ์ด๋ ์ข์ ๊ฒ ๊ฐ๊ตฌ์! ๊ฐ๋ณ๊ฒ ๋๋ ์๊ฐ ๋จ๊ฒจ๋ด
๋๋ค~ |
@@ -0,0 +1,90 @@
+import { API_PATH } from '@apis/constants';
+import { useQuery } from '@apis/common/useQuery';
+import { ReviewCycle } from './entities';
+import { ReviewCycleRequest, ReviewCycleResponse } from './type';
+import { useDelete, usePost, usePut } from '@apis/common/useMutation';
+import { get } from 'lodash';
+
+export function useGetReviewCycles() {
+ const {
+ data,
+ isLoading,
+ mutate: refetchReviewCycle,
+ } = useQuery<{ reviewCycles: ReviewCycle[] }>(API_PATH.REVIEW_CYCLES);
+
+ return {
+ reviewCycles: data?.reviewCycles,
+ isLoading,
+ refetchReviewCycle,
+ };
+}
+
+export function useCreateReviewCycle({
+ onSuccess,
+ onError,
+}: {
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = usePost<ReviewCycleRequest, ReviewCycleResponse>({
+ endpoint: API_PATH.REVIEW_CYCLES,
+ onSuccess: onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์์ฑ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ createReviewCycle: (reviewCycle: ReviewCycleRequest) => trigger(reviewCycle),
+ isMutating,
+ };
+}
+
+export function useUpdateReviewCycle({
+ entityId,
+ onSuccess,
+ onError,
+}: {
+ entityId?: number;
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = usePut<ReviewCycleRequest, ReviewCycleResponse>({
+ endpoint: entityId ? `${API_PATH.REVIEW_CYCLES}/${entityId}` : null,
+ onSuccess: onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์์ ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ updateReviewCycle: (reviewCycle: ReviewCycleRequest) => trigger(reviewCycle),
+ isMutating,
+ };
+}
+
+export function useDeleteReviewCycle({
+ entityId,
+ onSuccess,
+ onError,
+}: {
+ entityId: number;
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = useDelete({
+ endpoint: `${API_PATH.REVIEW_CYCLES}/${entityId}`,
+ onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์ญ์ ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ deleteReviewCycle: trigger,
+ isMutating,
+ };
+} | TypeScript | [์ง๋ฌธ]
`trigger`๋ฅผ ๋ฐ๋ก ๋๊ธฐ์ง ์๊ณ ํจ์๋ก ๋๊ฒจ์ฃผ๋ ์ด์ ๋ ํ์
์ ๊ณ ์ ์ํค๊ธฐ ์ํจ์ผ๊น์? |
@@ -0,0 +1,37 @@
+import useModal from 'hooks/useModal';
+import { Headline4 } from 'styles/typography';
+import ReviewCycleForm from '../ReviewCycleForm';
+import { message } from 'antd';
+import { useCreateReviewCycle, useGetReviewCycles } from '@apis/review/useReviewCycles';
+
+function useReviewCycleCreateModal() {
+ const modal = useModal();
+
+ const { refetchReviewCycle } = useGetReviewCycles();
+ const { createReviewCycle } = useCreateReviewCycle({
+ onSuccess: () => {
+ message.success('์๋ก์ด ๋ฆฌ๋ทฐ ์ ์ฑ
์ ์์ฑํ์ด์.');
+ modal.close();
+ refetchReviewCycle();
+ },
+ onError: message.error,
+ });
+
+ function render() {
+ return modal.render({
+ title: <Headline4>์๋ก์ด ๋ฆฌ๋ทฐ ์ ์ฑ
๋ง๋ค๊ธฐ</Headline4>,
+ visible: modal.visible,
+ children: (
+ <ReviewCycleForm onFinish={createReviewCycle} onReset={modal.close} confirmButtonProps={{ text: '์์ฑํ๊ธฐ' }} />
+ ),
+ });
+ }
+
+ return {
+ render,
+ open: modal.open,
+ close: modal.close,
+ };
+}
+
+export default useReviewCycleCreateModal; | Unknown | ์๋ฐ ์์ผ๋ก ๊ธฐ์กด `modal`์ ํ์ฅํ๋ ํ
์ผ๋ก ๋ง๋ค์ด๋ ์ข์ ๊ฒ ๊ฐ์์~
```suggestion
return {
...modal,
render,
};
``` |
@@ -0,0 +1,25 @@
+import { DeleteOutlined } from '@ant-design/icons';
+import { useDeleteReviewCycle, useGetReviewCycles } from '@apis/review/useReviewCycles';
+import { message } from 'antd';
+
+function DeleteButton({ entityId }: { entityId: number }) {
+ const { refetchReviewCycle } = useGetReviewCycles();
+ const { deleteReviewCycle } = useDeleteReviewCycle({
+ entityId,
+ onSuccess: refetchReviewCycle,
+ onError: message.error,
+ });
+
+ return (
+ <button
+ onClick={e => {
+ e.stopPropagation();
+ deleteReviewCycle();
+ }}
+ >
+ <DeleteOutlined />
+ </button>
+ );
+}
+
+export default DeleteButton; | Unknown | [์ง๋ฌธ]
`e.stopPropagation()`์ ์๋๊ฐ ๋ฌด์์ธ๊ฐ์? |
@@ -0,0 +1,10 @@
+import { Member, ReviewCycle } from './entities';
+
+export type ReviewCycleRequest = {
+ name: ReviewCycle['name'];
+ reviewees: Member['entityId'][];
+ title: string;
+ description: string;
+};
+
+export type ReviewCycleResponse = Pick<ReviewCycle, 'entityId'>; | TypeScript | [์ ์]
์ด๊ฒ๊ณผ entities์ ํ์
์ ์ผ๋ถ ๊ณตํต์ผ๋ก ์ฌ์ฉํด๋ณผ ์๋ ์์ผ๋ ค๋์? ๊ฐ์ ๋งฅ๋ฝ์ ๋ด๊ณ ์๋ ํ์
์ธ๋ฐ ๋งฅ๋ฝ์ด ์์ ๋ถ๋ฆฌ๋์ด์ ๋์ค์ ์ ์ง๋ณด์ํ ๋ ์ฃผ์ํด์ผ๊ฒ ๋ค๋ ์๊ฐ์ด ๋๋ค์ |
@@ -0,0 +1,67 @@
+import { Button, Form, Input, Select, Space } from 'antd';
+import { REVIEW_CYCLE_FORM_NAMES, REVIEW_CYCLE_RULES } from './constants';
+import useMembers from '@apis/review/useMembers';
+import { ReviewCycleRequest } from '@apis/review/type';
+import { ReviewCycle } from '@apis/review/entities';
+
+interface Props {
+ onFinish: (values: ReviewCycleRequest) => void;
+ onReset: () => void;
+ initialValues?: {
+ name: ReviewCycle['name'];
+ reviewees: number[];
+ title: ReviewCycle['question']['title'];
+ description: ReviewCycle['question']['description'];
+ };
+ confirmButtonProps?: { text: string };
+ deleteButtonProps?: { text: string; handleClick: () => void };
+}
+
+export default function ReviewCycleForm({
+ onFinish,
+ onReset,
+ initialValues,
+ confirmButtonProps = { text: 'ํ์ธ' },
+ deleteButtonProps,
+}: Props) {
+ const { members, isLoading } = useMembers();
+
+ return (
+ <Form labelAlign="right" onFinish={onFinish} onReset={onReset} initialValues={initialValues}>
+ <Form.Item label="๋ฆฌ๋ทฐ ์ ์ฑ
์ด๋ฆ" name={REVIEW_CYCLE_FORM_NAMES.name} rules={REVIEW_CYCLE_RULES.reviewCycleName}>
+ <Input />
+ </Form.Item>
+
+ <Form.Item label="๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋" name={REVIEW_CYCLE_FORM_NAMES.reviewees} rules={REVIEW_CYCLE_RULES.reviewees}>
+ <Select
+ mode="multiple"
+ loading={isLoading}
+ placeholder="๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋์ ์ ํํด์ฃผ์ธ์."
+ optionFilterProp="label"
+ options={members?.map(m => ({ key: m.entityId, label: m.name, value: m.entityId }))}
+ />
+ </Form.Item>
+
+ <Form.Item label="์ง๋ฌธ" name={REVIEW_CYCLE_FORM_NAMES.question.title} rules={REVIEW_CYCLE_RULES.questionTitle}>
+ <Input />
+ </Form.Item>
+
+ <Form.Item
+ label="์ง๋ฌธ ์ค๋ช
"
+ name={REVIEW_CYCLE_FORM_NAMES.question.description}
+ rules={REVIEW_CYCLE_RULES.questionDescription}
+ >
+ <Input />
+ </Form.Item>
+ <Form.Item style={{ textAlign: 'right' }}>
+ <Space size={10}>
+ <Button htmlType="reset">์ทจ์</Button>
+ {deleteButtonProps && <Button onClick={deleteButtonProps.handleClick}>{deleteButtonProps.text}</Button>}
+ <Button type="primary" htmlType="submit">
+ {confirmButtonProps.text}
+ </Button>
+ </Space>
+ </Form.Item>
+ </Form>
+ );
+} | Unknown | [์ ๊ทน]
ui๋ฅผ ๋ ๋๋งํ๊ธฐ ์ํ buttonProps๊ฐ ๊ฐ์ฒดํํ๋ก ๋ด๋ ค๊ฐ๋ฉด ๋์ค์ ์ ์ง๋ณด์์ฐจ์์์ ์ด๋ ค์์ด ์์ ๊ฒ ๊ฐ์๋ฐ ๋ฐฉ๋ฒ์ด ์์ผ๋ ค๋์??
confirmButtonProps๋ deleteButtonProps๋ Form์ด๋ผ๋ ๋งฅ๋ฝ์์๋ ์์ ๋ค์ด๊ฐ๋ ๋ ๊ฒ ๊ฐ๋ค๊ณ ํ๋จํ ์๋ ์์ผ๋ ์ค์ ๋ ๋ํ๋ ์ชฝ์์๋ prop์ ๊บผ๋ด์ฐ๋ ์ฐจ์์ ๋ถ๊ณผํด์ ์ด๋ป๊ฒ๋ ๋ถ๋ฆฌ๊ฐ ๋๋ฉด ์ข๊ฒ ๋ค๋ ์๊ฐ์ด ๋ค์ด์. |
@@ -0,0 +1,28 @@
+import { faker } from '@faker-js/faker';
+import { personList } from '@mocks/auth/data';
+import { v4 as uuidv4 } from 'uuid';
+
+const personCount = personList.length;
+
+export const reviewCycleList = Array.from({ length: 10 }, (_, i) => ({
+ entityId: uuidv4(),
+ name: faker.lorem.words(),
+ creator: personList[Math.floor(Math.random() * personCount)],
+ reviewees: shuffleArray(personList).slice(0, Math.floor(Math.random() * personCount) + 1),
+ question: {
+ title: faker.lorem.words(),
+ description: faker.lorem.sentence(),
+ },
+ updatedAt: faker.date.past().toISOString(),
+}));
+
+function shuffleArray<T>(array: T[]) {
+ const result = [...array];
+
+ for (let i = result.length - 1; i > 0; i--) {
+ const j = Math.floor(Math.random() * (i + 1));
+ [result[i], result[j]] = [result[j], result[i]];
+ }
+
+ return result;
+} | TypeScript | `faker` ๋ผ์ด๋ธ๋ฌ๋ฆฌ ์ ์ ํ ์ ์ฐ์๋ค์ ๐ |
@@ -0,0 +1,25 @@
+import { DeleteOutlined } from '@ant-design/icons';
+import { useDeleteReviewCycle, useGetReviewCycles } from '@apis/review/useReviewCycles';
+import { message } from 'antd';
+
+function DeleteButton({ entityId }: { entityId: number }) {
+ const { refetchReviewCycle } = useGetReviewCycles();
+ const { deleteReviewCycle } = useDeleteReviewCycle({
+ entityId,
+ onSuccess: refetchReviewCycle,
+ onError: message.error,
+ });
+
+ return (
+ <button
+ onClick={e => {
+ e.stopPropagation();
+ deleteReviewCycle();
+ }}
+ >
+ <DeleteOutlined />
+ </button>
+ );
+}
+
+export default DeleteButton; | Unknown | [์ ๊ทน]
๋ฒํผ์ธ๋ฐ ๋ฒํผ์ด ์๋ ์ปดํฌ๋ํธ๊ฐ ๋ ๊ฒ ๊ฐ์์.
์์ด์ฝ์ ํด๋ฆญ์ด๋ฒคํธ๋ฅผ ๋ค๋ ๊ฒ์ ๋ํด์๋ ์ด๋ป๊ฒ ์๊ฐํ์๋์ฉ? role=button์ด ๋๋๋ก ํด์ผํ๋ ํ๋ ํ๋จ์ด ๋๋ค์ |
@@ -0,0 +1,163 @@
+import { Person, personIDMap, personMap } from './../auth/data';
+import { API_PATH } from '@apis/constants';
+import { personList } from '@mocks/auth/data';
+import { HttpResponse, http } from 'msw';
+import { reviewCycleList } from './data';
+import { ReviewCycleRequest } from '@apis/review/type';
+import { JWTPayload, JWTVerifyResult, jwtVerify } from 'jose';
+import { v4 as uuidv4 } from 'uuid';
+import { validateAccessToken } from '@mocks/utils';
+import { secretKey } from '@mocks/constants';
+
+export const reviewHandlers = [
+ http.get(API_PATH.MEMBERS, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ return HttpResponse.json({
+ members: personList.map(m => ({
+ entityId: m.entityId,
+ name: m.name,
+ })),
+ });
+ }),
+
+ http.get(API_PATH.REVIEW_CYCLES, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const formatted = reviewCycleList.map(r => ({
+ entityId: r.entityId,
+ name: r.name,
+ creator: r.creator.name,
+ reviewees: r.reviewees.map(m => ({ entityId: m.entityId, name: m.name })),
+ question: {
+ title: r.question.title,
+ description: r.question.description,
+ },
+ updatedAt: r.updatedAt,
+ }));
+
+ return HttpResponse.json({
+ reviewCycles: formatted,
+ });
+ }),
+
+ http.post<never, ReviewCycleRequest>(API_PATH.REVIEW_CYCLES, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const accessToken = request.headers.get('Authorization')?.split(' ')[1];
+ const verified = accessToken && (await jwtVerify(accessToken, secretKey));
+ const email = (verified as JWTVerifyResult<JWTPayload>).payload.email;
+
+ const req = await request.json();
+ const reviewees = req.reviewees.map(id => personIDMap.get(id) ?? ({} as Person));
+
+ reviewCycleList.push({
+ entityId: uuidv4(),
+ name: req.name,
+ creator: personMap.get(email as string) ?? ({} as Person),
+ reviewees: reviewees,
+ question: {
+ title: req.title,
+ description: req.description,
+ },
+ updatedAt: new Date().toISOString(),
+ });
+
+ return HttpResponse.json(
+ {
+ reviewCycle: reviewCycleList[reviewCycleList.length - 1],
+ },
+ {
+ status: 201,
+ },
+ );
+ }),
+
+ http.delete<{ entityId: string }>(`${API_PATH.REVIEW_CYCLES}/:entityId`, async ({ request, params }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const index = reviewCycleList.splice(
+ reviewCycleList.findIndex(r => r.entityId === params.entityId),
+ 1,
+ );
+
+ if (index.length === 0) {
+ return HttpResponse.json(
+ {
+ error: { message: '๋ฆฌ๋ทฐ ์ฌ์ดํด์ด ์กด์ฌํ์ง ์์ต๋๋ค' },
+ },
+ {
+ status: 404,
+ },
+ );
+ }
+
+ return HttpResponse.json({
+ status: 200,
+ });
+ }),
+
+ http.put<{ entityId: string }, ReviewCycleRequest>(
+ `${API_PATH.REVIEW_CYCLES}/:entityId`,
+ async ({ request, params }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const index = reviewCycleList.findIndex(r => r.entityId === params.entityId);
+
+ if (index === -1) {
+ return HttpResponse.json(
+ {
+ error: { message: '๋ฆฌ๋ทฐ ์ฌ์ดํด์ด ์กด์ฌํ์ง ์์ต๋๋ค' },
+ },
+ {
+ status: 404,
+ },
+ );
+ }
+
+ const req = await request.json();
+ const prev = reviewCycleList[index];
+
+ reviewCycleList[index] = {
+ entityId: params.entityId,
+ name: req.name,
+ creator: prev.creator,
+ reviewees: req.reviewees.map(id => personIDMap.get(id) ?? ({} as Person)),
+ question: {
+ title: req.title,
+ description: req.description,
+ },
+ updatedAt: new Date().toISOString(),
+ };
+
+ return HttpResponse.json(
+ {
+ entityId: params.entityId,
+ },
+ {
+ status: 200,
+ },
+ );
+ },
+ ),
+]; | TypeScript | ์ฌ๊ธฐ๋ ์ค์ฝํ๊ฐ ๋์ผ๋ `r`๋ณด๋ค๋ `reviewCycle`์ผ๋ก ๋ค์ด๋ฐ ํ๋ ๊ฒ์ด ์ข์ ๊ฒ ๊ฐ์์~ |
@@ -0,0 +1,43 @@
+import { Button } from 'antd';
+import { RoundContent } from 'components/common/RoundContent';
+import useReviewCycleCreateModal from './ReviewCycleModals/useReviewCycleCreateModal';
+import ReviewCycleTable from './ReviewCycleTable';
+import useReviewCycleUpdateModal from './ReviewCycleModals/useReviewCycleUpdateModal';
+import useSelectedReviewCycle from './useSelectedReviewCycle';
+
+function ReviewCycles() {
+ const { selectedReviewCycle } = useSelectedReviewCycle();
+
+ const reviewCycleCreateModal = useReviewCycleCreateModal();
+ const reviewCycleUpdateModal = useReviewCycleUpdateModal({
+ entityId: selectedReviewCycle?.entityId,
+ });
+
+ function openReviewCycleCreateModal() {
+ reviewCycleCreateModal.open();
+ }
+
+ function openReviewCycleUpdateModal() {
+ reviewCycleUpdateModal.open();
+ }
+
+ return (
+ <RoundContent>
+ <RoundContent.Header
+ title="๋ฆฌ๋ทฐ ์ ์ฑ
๋ชฉ๋ก"
+ rightArea={
+ <Button type="primary" size="large" onClick={openReviewCycleCreateModal}>
+ ๋ฆฌ๋ทฐ ์ ์ฑ
์์ฑ
+ </Button>
+ }
+ />
+ <RoundContent.Body>
+ <ReviewCycleTable onRowClick={openReviewCycleUpdateModal} />
+ </RoundContent.Body>
+ {reviewCycleCreateModal.render()}
+ {reviewCycleUpdateModal.render()}
+ </RoundContent>
+ );
+}
+
+export default ReviewCycles; | Unknown | [์ ๊ทน]
์ธ์คํด์ค๋ camelcase๊ฐ ๋๋ฉด ์ข๊ฒ ์ต๋๋ค! |
@@ -0,0 +1,163 @@
+import { Person, personIDMap, personMap } from './../auth/data';
+import { API_PATH } from '@apis/constants';
+import { personList } from '@mocks/auth/data';
+import { HttpResponse, http } from 'msw';
+import { reviewCycleList } from './data';
+import { ReviewCycleRequest } from '@apis/review/type';
+import { JWTPayload, JWTVerifyResult, jwtVerify } from 'jose';
+import { v4 as uuidv4 } from 'uuid';
+import { validateAccessToken } from '@mocks/utils';
+import { secretKey } from '@mocks/constants';
+
+export const reviewHandlers = [
+ http.get(API_PATH.MEMBERS, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ return HttpResponse.json({
+ members: personList.map(m => ({
+ entityId: m.entityId,
+ name: m.name,
+ })),
+ });
+ }),
+
+ http.get(API_PATH.REVIEW_CYCLES, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const formatted = reviewCycleList.map(r => ({
+ entityId: r.entityId,
+ name: r.name,
+ creator: r.creator.name,
+ reviewees: r.reviewees.map(m => ({ entityId: m.entityId, name: m.name })),
+ question: {
+ title: r.question.title,
+ description: r.question.description,
+ },
+ updatedAt: r.updatedAt,
+ }));
+
+ return HttpResponse.json({
+ reviewCycles: formatted,
+ });
+ }),
+
+ http.post<never, ReviewCycleRequest>(API_PATH.REVIEW_CYCLES, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const accessToken = request.headers.get('Authorization')?.split(' ')[1];
+ const verified = accessToken && (await jwtVerify(accessToken, secretKey));
+ const email = (verified as JWTVerifyResult<JWTPayload>).payload.email;
+
+ const req = await request.json();
+ const reviewees = req.reviewees.map(id => personIDMap.get(id) ?? ({} as Person));
+
+ reviewCycleList.push({
+ entityId: uuidv4(),
+ name: req.name,
+ creator: personMap.get(email as string) ?? ({} as Person),
+ reviewees: reviewees,
+ question: {
+ title: req.title,
+ description: req.description,
+ },
+ updatedAt: new Date().toISOString(),
+ });
+
+ return HttpResponse.json(
+ {
+ reviewCycle: reviewCycleList[reviewCycleList.length - 1],
+ },
+ {
+ status: 201,
+ },
+ );
+ }),
+
+ http.delete<{ entityId: string }>(`${API_PATH.REVIEW_CYCLES}/:entityId`, async ({ request, params }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const index = reviewCycleList.splice(
+ reviewCycleList.findIndex(r => r.entityId === params.entityId),
+ 1,
+ );
+
+ if (index.length === 0) {
+ return HttpResponse.json(
+ {
+ error: { message: '๋ฆฌ๋ทฐ ์ฌ์ดํด์ด ์กด์ฌํ์ง ์์ต๋๋ค' },
+ },
+ {
+ status: 404,
+ },
+ );
+ }
+
+ return HttpResponse.json({
+ status: 200,
+ });
+ }),
+
+ http.put<{ entityId: string }, ReviewCycleRequest>(
+ `${API_PATH.REVIEW_CYCLES}/:entityId`,
+ async ({ request, params }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const index = reviewCycleList.findIndex(r => r.entityId === params.entityId);
+
+ if (index === -1) {
+ return HttpResponse.json(
+ {
+ error: { message: '๋ฆฌ๋ทฐ ์ฌ์ดํด์ด ์กด์ฌํ์ง ์์ต๋๋ค' },
+ },
+ {
+ status: 404,
+ },
+ );
+ }
+
+ const req = await request.json();
+ const prev = reviewCycleList[index];
+
+ reviewCycleList[index] = {
+ entityId: params.entityId,
+ name: req.name,
+ creator: prev.creator,
+ reviewees: req.reviewees.map(id => personIDMap.get(id) ?? ({} as Person)),
+ question: {
+ title: req.title,
+ description: req.description,
+ },
+ updatedAt: new Date().toISOString(),
+ };
+
+ return HttpResponse.json(
+ {
+ entityId: params.entityId,
+ },
+ {
+ status: 200,
+ },
+ );
+ },
+ ),
+]; | TypeScript | `r`์ด ์ค๋ณต ๋ณ์๋ผ ์ฌ๊ธฐ๋ `m`์ด ๋์๊ตฐ์..
`r`์ `reviewCycle`๋ก ๋ฐ๊พธ๋ฉด ์ฌ๊ธฐ๋ `r`์ด์ด๋ ๊ด์ฐฎ์๋ณด์
๋๋ค. ํน์ ์ข ๋ ๋ช
ํํ `reviewee`์ด๋ ์ข๊ฒ ๊ตฌ์!
์ทจํฅ ์ฐจ์ด์ผ ์ ์๊ฒ ์ง๋ง ๊ฐ์ธ์ ์ผ๋ก๋ ํ ์ค ์ ๋์ ์ค์ฝํ์ผ ๋๋ ์ถ์ฝ ๋ณ์ ์ฌ์ฉํด๋ ํฌ๊ฒ ๊ฐ๋
์ฑ์ ํด์น์ง ์์ ๊ด์ฐฎ๋ค๊ณ ์๊ฐํด์~ |
@@ -0,0 +1,163 @@
+import { Person, personIDMap, personMap } from './../auth/data';
+import { API_PATH } from '@apis/constants';
+import { personList } from '@mocks/auth/data';
+import { HttpResponse, http } from 'msw';
+import { reviewCycleList } from './data';
+import { ReviewCycleRequest } from '@apis/review/type';
+import { JWTPayload, JWTVerifyResult, jwtVerify } from 'jose';
+import { v4 as uuidv4 } from 'uuid';
+import { validateAccessToken } from '@mocks/utils';
+import { secretKey } from '@mocks/constants';
+
+export const reviewHandlers = [
+ http.get(API_PATH.MEMBERS, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ return HttpResponse.json({
+ members: personList.map(m => ({
+ entityId: m.entityId,
+ name: m.name,
+ })),
+ });
+ }),
+
+ http.get(API_PATH.REVIEW_CYCLES, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const formatted = reviewCycleList.map(r => ({
+ entityId: r.entityId,
+ name: r.name,
+ creator: r.creator.name,
+ reviewees: r.reviewees.map(m => ({ entityId: m.entityId, name: m.name })),
+ question: {
+ title: r.question.title,
+ description: r.question.description,
+ },
+ updatedAt: r.updatedAt,
+ }));
+
+ return HttpResponse.json({
+ reviewCycles: formatted,
+ });
+ }),
+
+ http.post<never, ReviewCycleRequest>(API_PATH.REVIEW_CYCLES, async ({ request }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const accessToken = request.headers.get('Authorization')?.split(' ')[1];
+ const verified = accessToken && (await jwtVerify(accessToken, secretKey));
+ const email = (verified as JWTVerifyResult<JWTPayload>).payload.email;
+
+ const req = await request.json();
+ const reviewees = req.reviewees.map(id => personIDMap.get(id) ?? ({} as Person));
+
+ reviewCycleList.push({
+ entityId: uuidv4(),
+ name: req.name,
+ creator: personMap.get(email as string) ?? ({} as Person),
+ reviewees: reviewees,
+ question: {
+ title: req.title,
+ description: req.description,
+ },
+ updatedAt: new Date().toISOString(),
+ });
+
+ return HttpResponse.json(
+ {
+ reviewCycle: reviewCycleList[reviewCycleList.length - 1],
+ },
+ {
+ status: 201,
+ },
+ );
+ }),
+
+ http.delete<{ entityId: string }>(`${API_PATH.REVIEW_CYCLES}/:entityId`, async ({ request, params }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const index = reviewCycleList.splice(
+ reviewCycleList.findIndex(r => r.entityId === params.entityId),
+ 1,
+ );
+
+ if (index.length === 0) {
+ return HttpResponse.json(
+ {
+ error: { message: '๋ฆฌ๋ทฐ ์ฌ์ดํด์ด ์กด์ฌํ์ง ์์ต๋๋ค' },
+ },
+ {
+ status: 404,
+ },
+ );
+ }
+
+ return HttpResponse.json({
+ status: 200,
+ });
+ }),
+
+ http.put<{ entityId: string }, ReviewCycleRequest>(
+ `${API_PATH.REVIEW_CYCLES}/:entityId`,
+ async ({ request, params }) => {
+ const res = await validateAccessToken(request);
+
+ if (res) {
+ return res;
+ }
+
+ const index = reviewCycleList.findIndex(r => r.entityId === params.entityId);
+
+ if (index === -1) {
+ return HttpResponse.json(
+ {
+ error: { message: '๋ฆฌ๋ทฐ ์ฌ์ดํด์ด ์กด์ฌํ์ง ์์ต๋๋ค' },
+ },
+ {
+ status: 404,
+ },
+ );
+ }
+
+ const req = await request.json();
+ const prev = reviewCycleList[index];
+
+ reviewCycleList[index] = {
+ entityId: params.entityId,
+ name: req.name,
+ creator: prev.creator,
+ reviewees: req.reviewees.map(id => personIDMap.get(id) ?? ({} as Person)),
+ question: {
+ title: req.title,
+ description: req.description,
+ },
+ updatedAt: new Date().toISOString(),
+ };
+
+ return HttpResponse.json(
+ {
+ entityId: params.entityId,
+ },
+ {
+ status: 200,
+ },
+ );
+ },
+ ),
+]; | TypeScript | [์ ์]
์๋๋ก `push`๋ฅผ ํ๋ฉด ๋งจ ๋ค์ ๋ค์ด๊ฐ๊ฒ ๋ผ์ ์ต์ ์์ผ๋ก ๋ณด์ด์ง ์๊ฒ ๋๋๋ผ๊ตฌ์~
์ ๋ ฌ์ ํ ๋ฒ ํด ์ฃผ๋ฉด ์ข์ ๊ฒ ๊ฐ์ต๋๋ค! |
@@ -0,0 +1,10 @@
+import { Member, ReviewCycle } from './entities';
+
+export type ReviewCycleRequest = {
+ name: ReviewCycle['name'];
+ reviewees: Member['entityId'][];
+ title: string;
+ description: string;
+};
+
+export type ReviewCycleResponse = Pick<ReviewCycle, 'entityId'>; | TypeScript | ์ ์๋์ฒ๋ผ ํ์ดํํ๋ฉด ๊ฐ์ ๋งฅ๋ฝ์์ด ์ ๋๋ฌ๋๋ ค๋์?
```ts
export type ReviewCycleRequest = {
name: ReviewCycle['name'];
reviewees: Member['entityId'][];
title: string;
description: string;
};
export type ReviewCycleResponse = Pick<ReviewCycle, 'entityId'>;
``` |
@@ -0,0 +1,90 @@
+import { API_PATH } from '@apis/constants';
+import { useQuery } from '@apis/common/useQuery';
+import { ReviewCycle } from './entities';
+import { ReviewCycleRequest, ReviewCycleResponse } from './type';
+import { useDelete, usePost, usePut } from '@apis/common/useMutation';
+import { get } from 'lodash';
+
+export function useGetReviewCycles() {
+ const {
+ data,
+ isLoading,
+ mutate: refetchReviewCycle,
+ } = useQuery<{ reviewCycles: ReviewCycle[] }>(API_PATH.REVIEW_CYCLES);
+
+ return {
+ reviewCycles: data?.reviewCycles,
+ isLoading,
+ refetchReviewCycle,
+ };
+}
+
+export function useCreateReviewCycle({
+ onSuccess,
+ onError,
+}: {
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = usePost<ReviewCycleRequest, ReviewCycleResponse>({
+ endpoint: API_PATH.REVIEW_CYCLES,
+ onSuccess: onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์์ฑ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ createReviewCycle: (reviewCycle: ReviewCycleRequest) => trigger(reviewCycle),
+ isMutating,
+ };
+}
+
+export function useUpdateReviewCycle({
+ entityId,
+ onSuccess,
+ onError,
+}: {
+ entityId?: number;
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = usePut<ReviewCycleRequest, ReviewCycleResponse>({
+ endpoint: entityId ? `${API_PATH.REVIEW_CYCLES}/${entityId}` : null,
+ onSuccess: onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์์ ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ updateReviewCycle: (reviewCycle: ReviewCycleRequest) => trigger(reviewCycle),
+ isMutating,
+ };
+}
+
+export function useDeleteReviewCycle({
+ entityId,
+ onSuccess,
+ onError,
+}: {
+ entityId: number;
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = useDelete({
+ endpoint: `${API_PATH.REVIEW_CYCLES}/${entityId}`,
+ onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์ญ์ ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ deleteReviewCycle: trigger,
+ isMutating,
+ };
+} | TypeScript | ์ด ๋ถ๋ถ์ SWR ๊ธฐ๋ฐ์ ์ธํฐํ์ด์ค(trigger)๋ฅผ ๊ฐ์ถ๊ณ ์ธํฐํ์ด์ค๋ฅผ ํต์ผํ๊ธฐ ์ํ ๋ชฉ์ ์ด์์ด์. ์ถํ์ SWR์ tanstack-query ๋ฑ ๋ค๋ฅธ ๋ผ์ด๋ธ๋ฌ๋ฆฌ๋ก ๋ณ๊ฒฝํ๋๋ผ๋ ๋์ผํ๊ฒ createReviewCycle ์ธํฐํ์ด์ค๋ฅผ ์ฌ์ฉํ๋๋ก ํด์ ์ฌ์ฉ์ฒ์์๋ ์ฝ๋๋ฅผ ์์ ํ ํ์๊ฐ ์๋๋ก ํ๊ณ ์ ํ์ต๋๋ค. |
@@ -0,0 +1,17 @@
+import { Rule } from 'antd/lib/form';
+
+export const REVIEW_CYCLE_FORM_NAMES = {
+ name: 'name',
+ reviewees: 'reviewees',
+ question: {
+ title: 'title',
+ description: 'description',
+ },
+} as const;
+
+export const REVIEW_CYCLE_RULES: Record<string, Rule[]> = {
+ reviewCycleName: [{ required: true, message: '๋ฆฌ๋ทฐ ์ ์ฑ
์ด๋ฆ์ ์
๋ ฅํ์ธ์.' }],
+ reviewees: [{ required: true, message: '๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋์ ์ ํํ์ธ์.' }],
+ questionTitle: [{ required: true, message: '์ง๋ฌธ ์ ๋ชฉ์ ์
๋ ฅํ์ธ์.' }],
+ questionDescription: [{ required: true, message: '์ง๋ฌธ ์ค๋ช
์ ์
๋ ฅํ์ธ์.' }],
+}; | TypeScript | ํด๋น form์ ์์๊ฐ ์ด๋ป๊ฒ ๊ตฌ์ฑ๋์ด ์๋์ง ํ๋์ ํ์
ํ๊ธฐ ์ฝ์ง ์์๊น ํ์๋๋ฐ, ํ๋์ ๊ฐ์ฒด๋ก ๋ฌถ๋๊ฒ ๋์์ผ๋ ค๋ ์ถ๊ตฐ์! |
@@ -0,0 +1,25 @@
+import { DeleteOutlined } from '@ant-design/icons';
+import { useDeleteReviewCycle, useGetReviewCycles } from '@apis/review/useReviewCycles';
+import { message } from 'antd';
+
+function DeleteButton({ entityId }: { entityId: number }) {
+ const { refetchReviewCycle } = useGetReviewCycles();
+ const { deleteReviewCycle } = useDeleteReviewCycle({
+ entityId,
+ onSuccess: refetchReviewCycle,
+ onError: message.error,
+ });
+
+ return (
+ <button
+ onClick={e => {
+ e.stopPropagation();
+ deleteReviewCycle();
+ }}
+ >
+ <DeleteOutlined />
+ </button>
+ );
+}
+
+export default DeleteButton; | Unknown | ํ์ฌ ํ
์ด๋ธ onRowClick ์ ๋ฆฌ๋ทฐ ์ฌ์ดํด ์์ ๋ชจ๋ฌ์ด ์ด๋ฆฌ๋๋ก ์ด๋ฒคํธ๋ฅผ ๋ฑ๋กํด๋์๋๋ฐ์, ์ญ์ ๋ฒํผ ์์๋ ์ด๋ฒคํธ ์ ํ๋ฅผ ๋ง๋๋ก ํ์ต๋๋ค. |
@@ -0,0 +1,25 @@
+import { DeleteOutlined } from '@ant-design/icons';
+import { useDeleteReviewCycle, useGetReviewCycles } from '@apis/review/useReviewCycles';
+import { message } from 'antd';
+
+function DeleteButton({ entityId }: { entityId: number }) {
+ const { refetchReviewCycle } = useGetReviewCycles();
+ const { deleteReviewCycle } = useDeleteReviewCycle({
+ entityId,
+ onSuccess: refetchReviewCycle,
+ onError: message.error,
+ });
+
+ return (
+ <button
+ onClick={e => {
+ e.stopPropagation();
+ deleteReviewCycle();
+ }}
+ >
+ <DeleteOutlined />
+ </button>
+ );
+}
+
+export default DeleteButton; | Unknown | ๋ต button์ผ๋ก ๊ฐ์ธ๋๊ฒ ์ข๊ฒ ๊ตฐ์.
> ๋ฐ์ํ์ต๋๋ค! [refactor: ์ญ์ ๋ฒํผ ๊ตฌ์กฐ ๋ณ๊ฒฝ](https://github.com/lemonbase-labs/journee-on-boarding-project/pull/7/commits/2201091e80c11c71bb97c3cf131410067cb04478) |
@@ -0,0 +1,67 @@
+import { Button, Form, Input, Select, Space } from 'antd';
+import { REVIEW_CYCLE_FORM_NAMES, REVIEW_CYCLE_RULES } from './constants';
+import useMembers from '@apis/review/useMembers';
+import { ReviewCycleRequest } from '@apis/review/type';
+import { ReviewCycle } from '@apis/review/entities';
+
+interface Props {
+ onFinish: (values: ReviewCycleRequest) => void;
+ onReset: () => void;
+ initialValues?: {
+ name: ReviewCycle['name'];
+ reviewees: number[];
+ title: ReviewCycle['question']['title'];
+ description: ReviewCycle['question']['description'];
+ };
+ confirmButtonProps?: { text: string };
+ deleteButtonProps?: { text: string; handleClick: () => void };
+}
+
+export default function ReviewCycleForm({
+ onFinish,
+ onReset,
+ initialValues,
+ confirmButtonProps = { text: 'ํ์ธ' },
+ deleteButtonProps,
+}: Props) {
+ const { members, isLoading } = useMembers();
+
+ return (
+ <Form labelAlign="right" onFinish={onFinish} onReset={onReset} initialValues={initialValues}>
+ <Form.Item label="๋ฆฌ๋ทฐ ์ ์ฑ
์ด๋ฆ" name={REVIEW_CYCLE_FORM_NAMES.name} rules={REVIEW_CYCLE_RULES.reviewCycleName}>
+ <Input />
+ </Form.Item>
+
+ <Form.Item label="๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋" name={REVIEW_CYCLE_FORM_NAMES.reviewees} rules={REVIEW_CYCLE_RULES.reviewees}>
+ <Select
+ mode="multiple"
+ loading={isLoading}
+ placeholder="๋ฆฌ๋ทฐ ๋ฐ๋ ์ฌ๋์ ์ ํํด์ฃผ์ธ์."
+ optionFilterProp="label"
+ options={members?.map(m => ({ key: m.entityId, label: m.name, value: m.entityId }))}
+ />
+ </Form.Item>
+
+ <Form.Item label="์ง๋ฌธ" name={REVIEW_CYCLE_FORM_NAMES.question.title} rules={REVIEW_CYCLE_RULES.questionTitle}>
+ <Input />
+ </Form.Item>
+
+ <Form.Item
+ label="์ง๋ฌธ ์ค๋ช
"
+ name={REVIEW_CYCLE_FORM_NAMES.question.description}
+ rules={REVIEW_CYCLE_RULES.questionDescription}
+ >
+ <Input />
+ </Form.Item>
+ <Form.Item style={{ textAlign: 'right' }}>
+ <Space size={10}>
+ <Button htmlType="reset">์ทจ์</Button>
+ {deleteButtonProps && <Button onClick={deleteButtonProps.handleClick}>{deleteButtonProps.text}</Button>}
+ <Button type="primary" htmlType="submit">
+ {confirmButtonProps.text}
+ </Button>
+ </Space>
+ </Form.Item>
+ </Form>
+ );
+} | Unknown | ์ํ.. ์ ๋ ์ง๊ด์ ์ด๋ผ๊ณ ์๊ฐํ๋๋ฐ, ์ ์ง๋ณด์ ์ฐจ์์์ ์ด๋ค ์ด๋ ค์์ธ์ง ํน์ ์ด๋ป๊ฒ ๋ถ๋ฆฌ๋์ด์ผ ํ๋์ง ์ข ๋ ์ค๋ช
ํด์ฃผ์ค ์ ์์๊น์?
์ค์ ๋ก ํ์ฌ ๋ ๋ชฌ๋ฒ ์ด์ค ๋ชจ๋ฌ ํ
์ธ useBasicModal๋ ๋น์ทํ ํจํด์ผ๋ก ์ฌ์ฉํ๊ณ ์๋๋ฐ, ์ ๋ ์ ์ง๋ณด์ ์ฐจ์์์ ์ด๋ ค์์ด ์์ด์ ๊ฐ์ ํด์ผ ํ๋ค๊ณ ์๊ฐํ์ง ์์์ด์์! |
@@ -0,0 +1,43 @@
+import { Button } from 'antd';
+import { RoundContent } from 'components/common/RoundContent';
+import useReviewCycleCreateModal from './ReviewCycleModals/useReviewCycleCreateModal';
+import ReviewCycleTable from './ReviewCycleTable';
+import useReviewCycleUpdateModal from './ReviewCycleModals/useReviewCycleUpdateModal';
+import useSelectedReviewCycle from './useSelectedReviewCycle';
+
+function ReviewCycles() {
+ const { selectedReviewCycle } = useSelectedReviewCycle();
+
+ const reviewCycleCreateModal = useReviewCycleCreateModal();
+ const reviewCycleUpdateModal = useReviewCycleUpdateModal({
+ entityId: selectedReviewCycle?.entityId,
+ });
+
+ function openReviewCycleCreateModal() {
+ reviewCycleCreateModal.open();
+ }
+
+ function openReviewCycleUpdateModal() {
+ reviewCycleUpdateModal.open();
+ }
+
+ return (
+ <RoundContent>
+ <RoundContent.Header
+ title="๋ฆฌ๋ทฐ ์ ์ฑ
๋ชฉ๋ก"
+ rightArea={
+ <Button type="primary" size="large" onClick={openReviewCycleCreateModal}>
+ ๋ฆฌ๋ทฐ ์ ์ฑ
์์ฑ
+ </Button>
+ }
+ />
+ <RoundContent.Body>
+ <ReviewCycleTable onRowClick={openReviewCycleUpdateModal} />
+ </RoundContent.Body>
+ {reviewCycleCreateModal.render()}
+ {reviewCycleUpdateModal.render()}
+ </RoundContent>
+ );
+}
+
+export default ReviewCycles; | Unknown | ๋ค!! ๋ฐ์ํ์ต๋๋ค!
[refactor: ์ธ์คํด์ค camelcase๋ก ์์ ](https://github.com/lemonbase-labs/journee-on-boarding-project/pull/7/commits/3a4fecb79aa6c1a53951900d79c308af0a87d940) |
@@ -0,0 +1,90 @@
+import { API_PATH } from '@apis/constants';
+import { useQuery } from '@apis/common/useQuery';
+import { ReviewCycle } from './entities';
+import { ReviewCycleRequest, ReviewCycleResponse } from './type';
+import { useDelete, usePost, usePut } from '@apis/common/useMutation';
+import { get } from 'lodash';
+
+export function useGetReviewCycles() {
+ const {
+ data,
+ isLoading,
+ mutate: refetchReviewCycle,
+ } = useQuery<{ reviewCycles: ReviewCycle[] }>(API_PATH.REVIEW_CYCLES);
+
+ return {
+ reviewCycles: data?.reviewCycles,
+ isLoading,
+ refetchReviewCycle,
+ };
+}
+
+export function useCreateReviewCycle({
+ onSuccess,
+ onError,
+}: {
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = usePost<ReviewCycleRequest, ReviewCycleResponse>({
+ endpoint: API_PATH.REVIEW_CYCLES,
+ onSuccess: onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์์ฑ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ createReviewCycle: (reviewCycle: ReviewCycleRequest) => trigger(reviewCycle),
+ isMutating,
+ };
+}
+
+export function useUpdateReviewCycle({
+ entityId,
+ onSuccess,
+ onError,
+}: {
+ entityId?: number;
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = usePut<ReviewCycleRequest, ReviewCycleResponse>({
+ endpoint: entityId ? `${API_PATH.REVIEW_CYCLES}/${entityId}` : null,
+ onSuccess: onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์์ ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ updateReviewCycle: (reviewCycle: ReviewCycleRequest) => trigger(reviewCycle),
+ isMutating,
+ };
+}
+
+export function useDeleteReviewCycle({
+ entityId,
+ onSuccess,
+ onError,
+}: {
+ entityId: number;
+ onSuccess: () => void;
+ onError: (message: string) => void;
+}) {
+ const { trigger, isMutating } = useDelete({
+ endpoint: `${API_PATH.REVIEW_CYCLES}/${entityId}`,
+ onSuccess,
+ onError: err => {
+ const errorMessage = get(err, 'response.data.error.message', '๋ฆฌ๋ทฐ ์ฌ์ดํด ์ญ์ ์ ์คํจํ์ต๋๋ค.');
+ onError(errorMessage);
+ },
+ });
+
+ return {
+ deleteReviewCycle: trigger,
+ isMutating,
+ };
+} | TypeScript | ์คํธ ์ธํฐํ์ด์ค ํต์ผ ๋ชฉ์ ! ์ดํดํ์ต๋๋ค~
๊ณ ๋ ๋ค๋ฉด ๊ฐ์ ํ์ผ [L87](https://github.com/lemonbase-labs/journee-on-boarding-project/pull/7/files#diff-3ab91e36eb619267b0f18915f2e642a8452aece2c4e8220b0bce854dc2e8d68eR87)์ `deleteReviewCycle: trigger`๋ ์ ์ฒ๋ฆฌ๊ฐ ๋๋ฝ๋ ๊ฒ ๊ฐ์ ๊ฐ์ด ๋ฐ์ํ๋ฉด ์ข์ ๊ฒ ๊ฐ์์~ |
@@ -1 +1,30 @@
-# java-lotto ๊ฒ์
+# java-Lotto ๊ฒ์
+
+# ๊ตฌํ ๊ธฐ๋ฅ ๋ชฉ๋ก
+
+- [x] ๊ตฌ์
๊ธ์ก ์
๋ ฅ๋ฐ๊ธฐ
+ - [x] 1000์ ๋ฏธ๋ง ์
๋ ฅ ์ ์ฒ๋ฆฌ
+ - [x] 1000์ ๋ฐฐ์ ์๋ ๊ฐ ์
๋ ฅ ์ ์ฒ๋ฆฌ
+ - [x] ์ซ์๊ฐ ์๋ ๊ฐ (๋ฌธ์์ด)
+ - [x] ์ ์๊ฐ ์ฒ๋ฆฌ
+ - [x] ๊ณต๋ฐฑ ์ฒ๋ฆฌ
+- [x] ๊ตฌ๋งค ๊ฐ์ ๊ตฌํ๊ธฐ
+- [x] ๋๋ค ๋ก๋๋ฒํธ ๊ตฌ๋งค ๊ฐ์๋งํผ ๋ง๋ค๊ธฐ
+ - [x] defaultNumberSet 1๋ฒ๋ง ์์ฑ๋๋๋ก ๋ณ๊ฒฝ
+ - [x] RandomLottoTest ์์ ๋ฆฌํฉํ ๋ง
+ - [x] PurchaseCount์ 1000 ์ ๊ทผ
+- [x] ์ง๋ ์ฃผ ๋น์ฒจ ๋ฒํธ ์
๋ ฅ๋ฐ๊ธฐ
+ - [x] WinningNumbers ๋ฉค๋ฒ๋ณ์ ArrayList ํด๋์ค ํ์ธ
+ - [x] ์ซ์ ๊ฐ์ 6๊ฐ ํ์ธ
+ - [x] ์ซ์๊ฐ ์๋ ๊ฐ ํฌํจ
+ - [x] ๋ฒ์ (1~45) ํ์ธ
+ - [x] ๊ณต๋ฐฑ ์ฒ๋ฆฌ
+- [x] ๋ณด๋์ค ๋ณผ ์
๋ ฅ๋ฐ๊ธฐ
+- [x] ๋น์ฒจ ํต๊ณ
+ - [x] ๋น์ฒจ ์กฐ๊ฑด์ enum ์ฒ๋ฆฌ
+ - [x] ์ผ์น ๊ฐ์ ์ฐพ๊ธฐ
+ - [x] 5๊ฐ ์ผ์น ์ ๋ณด๋์ค ๋ณผ ์ผ์น ์ฌ๋ถ ํ์ธ
+ - [x] ๋ก๋ ๋น์ฒจ ๊ฐ์ ๊ตฌํ๊ธฐ
+ - [x] ๋น์ฒจ๊ฐ์ ํฉ ๊ตฌํ๊ธฐ
+ - [x] ์์ต๋ฅ ๊ตฌํ๊ธฐ
+ - [x] ๊ฒฐ๊ณผ ์ถ๋ ฅ
\ No newline at end of file | Unknown | ๊ตฌํ ๊ธฐ๋ฅ ๋ชฉ๋ก ์์ฑ ๐ |
@@ -10,6 +10,13 @@ repositories {
dependencies {
testImplementation('org.junit.jupiter:junit-jupiter:5.6.0')
testImplementation('org.assertj:assertj-core:3.15.0')
+
+ compileOnly 'org.projectlombok:lombok:1.18.20'
+ annotationProcessor 'org.projectlombok:lombok:1.18.20'
+
+ testCompileOnly 'org.projectlombok:lombok:1.18.20'
+ testAnnotationProcessor 'org.projectlombok:lombok:1.18.20'
+
}
test { | Unknown | ๋กฌ๋ณต ํ๋ฌ๊ทธ์ธ์ ํ์ฉํ์
จ๋ค์! |
@@ -0,0 +1,24 @@
+package lotto.controller;
+
+import lotto.domain.dto.LottoResult;
+import lotto.domain.dto.PurchaseInput;
+import lotto.domain.dto.PurchaseResult;
+import lotto.domain.dto.WinningLottoInput;
+import lotto.service.LottoService;
+
+public class LottoController {
+
+ private final LottoService lottoService;
+
+ public LottoController() {
+ this.lottoService = new LottoService();
+ }
+
+ public PurchaseResult purchase(PurchaseInput purchaseInput) throws IllegalArgumentException {
+ return lottoService.purchase(purchaseInput);
+ }
+
+ public LottoResult calculateResult(PurchaseResult purchaseResult, WinningLottoInput winningLottoInput) throws IllegalArgumentException {
+ return lottoService.calculateResult(purchaseResult, winningLottoInput);
+ }
+} | Java | MVC ํจํด์ ์ด์ฉํด ๋ฌธ์ ๋ฅผ ํ๋ ค๊ณ ์๋ํ์
จ๋ค์!
๋ค๋ง Model - View - Controller ์ญํ ๋ถ๋ฆฌ๊ฐ ๋ช
ํํ๊ฒ ๋์ด์์ง ์์
ํ์ฌ Controller๊ฐ View๋ฅผ ์ง์ ํ์ฉํ๋ ๋ฐฉ์์ผ๋ก ์ฝ๋ ๊ตฌํ์ด ๋์ด์๋๋ฐ์.
๊ฐ์์ ์ญํ ๊ณผ ์ฑ
์์ ๋ฌด์์ด๊ณ , ์ด๋ฅผ ์ด๋ป๊ฒ ๋
๋ฆฝ์ ์ผ๋ก ๋ถ๋ฆฌํด๋ผ ์ ์์ ์ง, ๋ ์ ๊ทธ๋ฌํ์ฌ์ผ ํ๋์ง ๊ณ ๋ฏผํด๋ณด์๋ฉด ์ข๊ฒ ์ต๋๋ค. ํ์ฌ๋ `LottoController.start()` ๋ `LottoApplication`์ main๊ณผ ๊ฐ์ ์ญํ ๋ก ๋ณด์ด๋ค์. |
@@ -0,0 +1,31 @@
+package lotto.view;
+
+import java.util.Arrays;
+import java.util.List;
+import java.util.Scanner;
+import java.util.stream.Collectors;
+
+public class ConsoleInputView implements InputView {
+
+ private static final String LOTTO_NUMBERS_INPUT_DELIMITER = ",";
+
+ private final Scanner scanner = new Scanner(System.in);
+
+ public Integer getPurchaseCost() throws NumberFormatException {
+ String input = scanner.nextLine().trim();
+ return Integer.parseInt(input);
+ }
+
+ public List<Integer> getWinningLottoNumbers() throws NumberFormatException {
+ String input = scanner.nextLine();
+ return Arrays.stream(input.split(LOTTO_NUMBERS_INPUT_DELIMITER))
+ .map(String::trim)
+ .map(Integer::new)
+ .collect(Collectors.toList());
+ }
+
+ public Integer getWinningLottoBonus() throws NumberFormatException {
+ String input = scanner.nextLine().trim();
+ return Integer.parseInt(input);
+ }
+} | Java | ๊ณผํ(๋ถํ์ํ) ๋ฉ์๋ ํฌ์ฅ์
๋๋ค. |
@@ -0,0 +1,86 @@
+package lotto.view;
+
+import lotto.domain.*;
+import lotto.domain.dto.LottoResult;
+
+public class ConsoleOutputView implements OutputView {
+
+ private static final String ERROR_HEADER = "[ERROR] ";
+
+ private void print(String contents) {
+ System.out.println(contents);
+ }
+
+ public void printLottoCount(PurchaseCount purchaseCount) {
+ int count = purchaseCount.getPurchaseCount();
+ print(count + "๊ฐ๋ฅผ ๊ตฌ๋งคํ์ต๋๋ค.");
+ }
+
+ public void printLottoSet(LottoSet lottoSet) {
+ for (Lotto lotto : lottoSet.getLottoSet()) {
+ printLotto(lotto);
+ }
+ }
+
+ private void printLotto(Lotto lotto) {
+ String result = "[";
+ for (LottoNumber lottoNumber : lotto.getLottoNumbers()) {
+ result += lottoNumber.getLottoNumber() + ", ";
+ }
+ result = removeCommaAtTheEnd(result) + "]";
+
+ print(result);
+ }
+
+ private String removeCommaAtTheEnd(String str) {
+ return str.substring(0, str.length() - 2);
+ }
+
+ public void askPurchaseCost() {
+ print("๊ตฌ์
๊ธ์ก์ ์
๋ ฅํด ์ฃผ์ธ์.");
+ }
+
+ public void askWinningLottoNumbers() {
+ print("์ง๋ ์ฃผ ๋น์ฒจ ๋ฒํธ๋ฅผ ์
๋ ฅํด ์ฃผ์ธ์.");
+ }
+
+ public void askWinningLottoBonus() {
+ print("๋ณด๋์ค ๋ณผ์ ์
๋ ฅํด ์ฃผ์ธ์.");
+ }
+
+ public void printLottoStatistic(LottoResult lottoStatistics) {
+ String result = "๋น์ฒจ ํต๊ณ\n---------\n" +
+ generatePrizeResultMessage(Prize.FIFTH, lottoStatistics.getPrizeCount().getFifth()) +
+ generatePrizeResultMessage(Prize.FOURTH, lottoStatistics.getPrizeCount().getFourth()) +
+ generatePrizeResultMessage(Prize.THIRD, lottoStatistics.getPrizeCount().getThird()) +
+ generatePrizeResultMessage(Prize.SECOND, lottoStatistics.getPrizeCount().getSecond()) +
+ generatePrizeResultMessage(Prize.FIRST, lottoStatistics.getPrizeCount().getFirst()) +
+ generateProfitRateMessage(lottoStatistics.getProfitRate());
+ print(result);
+ }
+
+ private String generatePrizeResultMessage(Prize prize, int prizeCount) {
+ return generatePrizeResultMessage(prize) + prizeCount + "๊ฐ\n";
+ }
+
+ private String generatePrizeResultMessage(Prize prize) {
+ StringBuilder sb = new StringBuilder();
+ sb.append(prize.getMatchNumbersCount())
+ .append("๊ฐ ์ผ์น");
+ if (prize.isBonus()) {
+ sb.append(", ๋ณด๋์ค ๋ณผ ์ผ์น ");
+ }
+ sb.append("(")
+ .append(prize.getPrizeMoney())
+ .append("์)- ");
+ return sb.toString();
+ }
+
+ private String generateProfitRateMessage(double profitRate) {
+ return "์ด ์์ต๋ฅ ์ " + profitRate + "์
๋๋ค.";
+ }
+
+ public void printException(String message) {
+ print(ERROR_HEADER + message);
+ }
+} | Java | line 9 to 13
๋๋ฌด ๋ช
ํํ ๊ฐ๋ค์ด ๊ณผํ๊ฒ ์์๋ก ๋ง๋ค์ด์ก์ต๋๋ค.
๋ชจ๋ literal value๊ฐ ๋์ ๊ฒ์ ์๋๋๋ค. ^^; |
@@ -0,0 +1,33 @@
+package lotto.service;
+
+import lotto.domain.*;
+import lotto.domain.dto.LottoResult;
+import lotto.domain.dto.PurchaseInput;
+import lotto.domain.dto.PurchaseResult;
+import lotto.domain.dto.WinningLottoInput;
+
+public class LottoService {
+
+ public PurchaseResult purchase(PurchaseInput purchaseInput) throws IllegalArgumentException {
+ PurchaseCount purchaseCount = new PurchaseCount(purchaseInput.getPrice());
+ LottoSet lottoSet = new LottoSet(purchaseCount);
+
+ return PurchaseResult.builder()
+ .purchaseCount(purchaseCount)
+ .lottoSet(lottoSet)
+ .build();
+ }
+
+ public LottoResult calculateResult(PurchaseResult purchaseResult, WinningLottoInput winningLottoInput) throws IllegalArgumentException {
+ LottoMatcher lottoMatcher = new LottoMatcher(
+ new WinningLotto(winningLottoInput), purchaseResult.getLottoSet()
+ );
+ PrizeCount prizeCount = lottoMatcher.countPrizes();
+ LottoStatistics lottoStatistics = new LottoStatistics(prizeCount, purchaseResult.getPurchaseCount());
+
+ return LottoResult.builder()
+ .prizeCount(prizeCount)
+ .profitRate(lottoStatistics.calculateProfitRate())
+ .build();
+ }
+} | Java | PurchaseCount ๊ฐ์ฒด๋ฅผ ์์ฑํ๋ ์ด ์์ ์ ์ ํจ์ฑ ๊ฒ์ฆ์ด ํด๋น ๊ฐ์ฒด ์์ฑ์์์ ์งํ๋๋๋ฐ์,
์ปจํธ๋กค๋ฌ ๋ ์ด์ด์์ ์ฌ์ฉ์์ ์
๋ ฅ ๊ฐ์ ์ ํจ์ฑ์ ๋จผ์ ๊ฒ์ฆํ ์ ์์ง ์์๊น์?
๊ณ ๋ฏผํด๋ณผ ๊ฑฐ๋ฆฌ: ์ ํจ์ฑ ๊ฒ์ฆ์ ์ด๋ค ๋ ์ด์ด์์ ์งํ๋์ด์ผํ ๊น? |
@@ -0,0 +1,19 @@
+package lotto.exception;
+
+import lombok.Getter;
+import lombok.RequiredArgsConstructor;
+import lotto.domain.Lotto;
+
+@RequiredArgsConstructor
+public enum ExceptionMessage {
+
+ NON_NUMBER_INPUT("์ซ์๋ฅผ ์
๋ ฅํด์ฃผ์ธ์."),
+ LESS_THAN_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY("๊ตฌ์
๊ธ์ก์ " + Lotto.PRICE + " ์ด์์ ๊ฐ์ ์
๋ ฅํด์ฃผ์ธ์."),
+ NON_MULTIPLE_OF_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY("๊ตฌ์
๊ธ์ก์ " + Lotto.PRICE + "์ ๋ฐฐ์๋ก ์
๋ ฅํด์ฃผ์ธ์."),
+ INVALID_LENGTH_INPUT_FOR_LOTTO("๋ก๋ ๋ฒํธ๋ 6๊ฐ๋ฅผ ์
๋ ฅํด์ฃผ์ธ์"),
+ DUPLICATE_LOTTO_NUMBER_INPUT_FOR_LOTTO("๋ก๋ ๋ฒํธ๋ ์ค๋ณต๋์ง ์๋ 6๊ฐ์ ์ซ์๋ฅผ ์
๋ ฅํด์ฃผ์ธ์"),
+ OUT_OF_BOUND_INPUT_FOR_LOTTO_NUMBER("๋ก๋ ๋ฒํธ๋ 1 ์ด์ 45 ์ดํ์ ๊ฐ์ ์
๋ ฅํด์ฃผ์ธ์.");
+
+ @Getter
+ private final String message;
+} | Java | ์์ธ ๋ฉ์์ง๋ฅผ ๋ณ๋๋ก ๋ถ๋ฆฌํด์ ํ ๊ณณ์์ ๊ด๋ฆฌํ๊ณ ์๋ค์!
ํ์ฌ๋ IllegalArgumentException๋ง์ ์ฌ์ฉํ๊ณ ๋ฉ์์ง๋ก ํน์ ์์ธ์ ๋ํด์ ์ฒ๋ฆฌํ๊ณ ์๋๋ฐ์,
๊ตฌ์ฒด์ ์ธ CustomException์ ๋ง๋ค๊ณ ์ํฉ์ ๋ฐ๋ผ ์ด๋ฅผ ๋์ ธ ํด๋น Exception์ ํ์ฉํ๋ ๋ฐฉ๋ฒ๋ ์๊ฐํด๋ณผ ์ ์์ต๋๋ค. |
@@ -0,0 +1,53 @@
+package lotto.domain;
+
+import lombok.Getter;
+
+import java.util.Objects;
+
+import static lotto.exception.ExceptionMessage.OUT_OF_BOUND_INPUT_FOR_LOTTO_NUMBER;
+
+public class LottoNumber {
+
+ public static final int LOWER_BOUND = 1;
+ public static final int UPPER_BOUND = 45;
+
+ @Getter
+ private final int lottoNumber;
+
+ public LottoNumber(int lottoNumber) throws IllegalArgumentException {
+ validate(lottoNumber);
+
+ this.lottoNumber = lottoNumber;
+ }
+
+ private void validate(int lottoNumber) throws IllegalArgumentException {
+ if (isOutOfBound(lottoNumber)) {
+ throw new IllegalArgumentException(OUT_OF_BOUND_INPUT_FOR_LOTTO_NUMBER.getMessage());
+ }
+ }
+
+ private boolean isOutOfBound(int lottoNumber) {
+ return lottoNumber < LOWER_BOUND || lottoNumber > UPPER_BOUND;
+ }
+
+ public boolean isGreaterThan(LottoNumber winningNumber) {
+ return this.getLottoNumber() > winningNumber.getLottoNumber();
+ }
+
+ @Override
+ public boolean equals(Object o) {
+ if (this == o) {
+ return true;
+ }
+ if (o == null || getClass() != o.getClass()) {
+ return false;
+ }
+ LottoNumber that = (LottoNumber) o;
+ return lottoNumber == that.lottoNumber;
+ }
+
+ @Override
+ public int hashCode() {
+ return Objects.hash(lottoNumber);
+ }
+} | Java | `isInteger` ๋ ์ง๋
ํ๋ฉด ์ ์์ธ๊ฐ? ๋ ํ๋จ๋ฌธ์
๋๋ค.
๋ค๋ง ๋ด์ฉ์ ๋ณด๋ 0~9๊น์ง ์ซ์ ์ฆ ์์ด ์๋ ์ ์์ธ์ง๋ฅผ ์ ๊ทํํ์์ ์ด์ฉํด ํ๋จํ๊ณ ์๋ค์.
isNonNegativeInteger ์ ๋๋ก ๋ ์ ํํ๊ฒ ํํํด๋ณด๋ฉด ์ด๋จ๊น์?
```suggestion
if (!isNonNegativeInteger(input)) {
``` |
@@ -0,0 +1,35 @@
+package lotto.domain;
+
+import lombok.Builder;
+import lombok.Getter;
+
+import static lotto.exception.ExceptionMessage.LESS_THAN_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY;
+import static lotto.exception.ExceptionMessage.NON_MULTIPLE_OF_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY;
+
+public class PurchaseCount {
+
+ private static final int MINIMUM_INPUT = 1000;
+
+ @Getter
+ private final Integer purchaseCount;
+
+ @Builder
+ public PurchaseCount(int purchasePrice) {
+ validate(purchasePrice);
+
+ this.purchaseCount = purchasePrice / Lotto.PRICE;
+ }
+
+ private void validate(int purchasePrice) {
+ if (purchasePrice < MINIMUM_INPUT) {
+ throw new IllegalArgumentException(LESS_THAN_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY.getMessage());
+ }
+ if (notMultipleOfLottoPrice(purchasePrice)) {
+ throw new IllegalArgumentException(NON_MULTIPLE_OF_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY.getMessage());
+ }
+ }
+
+ private boolean notMultipleOfLottoPrice(int input) {
+ return input % Lotto.PRICE != 0;
+ }
+} | Java | `isInteger` ๋ ์ง๋
ํ๋ฉด ์ ์์ธ๊ฐ? ๋ ํ๋จ๋ฌธ์
๋๋ค.
๋ค๋ง ๋ด์ฉ์ ๋ณด๋ 0~9๊น์ง ์ซ์ ์ฆ ์์ด ์๋ ์ ์์ธ์ง๋ฅผ ์ ๊ทํํ์์ ์ด์ฉํด ํ๋จํ๊ณ ์๋ค์.
isNonNegativeInteger ์ ๋๋ก ๋ ์ ํํ๊ฒ ํํํด๋ณด๋ฉด ์ด๋จ๊น์?
```suggestion
if (!isNonNegativeInteger(input)) {
``` |
@@ -0,0 +1,35 @@
+package lotto.domain;
+
+import lombok.Builder;
+import lombok.Getter;
+
+import static lotto.exception.ExceptionMessage.LESS_THAN_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY;
+import static lotto.exception.ExceptionMessage.NON_MULTIPLE_OF_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY;
+
+public class PurchaseCount {
+
+ private static final int MINIMUM_INPUT = 1000;
+
+ @Getter
+ private final Integer purchaseCount;
+
+ @Builder
+ public PurchaseCount(int purchasePrice) {
+ validate(purchasePrice);
+
+ this.purchaseCount = purchasePrice / Lotto.PRICE;
+ }
+
+ private void validate(int purchasePrice) {
+ if (purchasePrice < MINIMUM_INPUT) {
+ throw new IllegalArgumentException(LESS_THAN_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY.getMessage());
+ }
+ if (notMultipleOfLottoPrice(purchasePrice)) {
+ throw new IllegalArgumentException(NON_MULTIPLE_OF_LOTTO_PRICE_INPUT_FOR_PURCHASE_MONEY.getMessage());
+ }
+ }
+
+ private boolean notMultipleOfLottoPrice(int input) {
+ return input % Lotto.PRICE != 0;
+ }
+} | Java | `notMatchesCondition` ํํ์ด ๋ชจํธํ๊ณ ๋ ๊ฐ์ง ์๋ก ๋ค๋ฅธ ์ผ์ ํ๊ณ ์์ต๋๋ค.
1. ์
๋ ฅ์ด ๋ก๋๋ฅผ ๊ตฌ๋งคํ ์ ์๋ ์ต์ ๊ฐ(1000)๋ฏธ๋ง์ธ์ง ๊ฒ์ฆ
2. ์ ํํ ํฐ์ผ ๊ฐ๊ฒฉ์ ๋ฐฐ์์ธ์ง ๊ฒ์ฆ
1์ ์ํฉ์ 2์ ๋ถ๋ถ์งํฉ์ผ๋ก ์๊ฐํ์ฌ ๊ตฌํํ์ ๊ฒ์ผ๋ก ์ถ์ธก๋๋๋ฐ,
์ฌ์ฉ์์๊ฒ ์คํจ์ ๋ํ ๋ ์ ํํ ์๋ฌ๋ฅผ ๊ตฌ๋ถํ์ฌ ๋
ธ์ถํ๋ ๊ฒ์ด ์ข์ง ์์๊น์? |
@@ -0,0 +1,17 @@
+package lotto.domain;
+
+import lombok.Builder;
+import lombok.Getter;
+import lotto.domain.dto.WinningLottoInput;
+
+public class WinningLotto extends Lotto {
+
+ @Getter
+ private final LottoNumber bonusNumber;
+
+ @Builder
+ public WinningLotto(WinningLottoInput winningLottoInput) throws IllegalArgumentException {
+ super(winningLottoInput.getNumbers());
+ this.bonusNumber = new LottoNumber(winningLottoInput.getBonus());
+ }
+} | Java | ์ฌ์ฉ์ ์
๋ ฅ(InputView)์ ๋ํ ํ์ฑ๊ณผ ๊ฒ์ฆ์ด ์๋น์ค ๋ ์ด์ด๋ฅผ ํต๊ณผํด ๋๋ฉ์ธ ๋ชจ๋ธ๊น์ง ์นจํฌํ์ต๋๋ค.
์ด๋ฅผ ๋ด๋นํ๋ ์์ญ์ธ ์ปจํธ๋กค๋ฌ ๋ ์ด์ด์์ ์ ์์
์ ๋ชจ๋ ๋ง๋ฌด๋ฆฌ์ง์ด์ผํฉ๋๋ค.
๊ฐ๊ธ์ ๋๋ฉ์ธ ๋ชจ๋ธ์ ์ฌ์ฉ์ ์
๋ ฅ ๋ฐฉ์๊ณผ ๋
๋ฆฝ์ ์ด์ด์ผํฉ๋๋ค.
์ด๋ค ๋ทฐ๋ฅผ ํตํด ์ ๊ทผํ๋ ๋๋ฉ์ธ์ ๊ทธ ์์ฒด๋ก ๋ฌธ์ ์์ญ๋ง์ ํํํ๊ณ ํด๊ฒฐํ๋ ๋ ์ด์ด์ด์ด์ผํฉ๋๋ค. |
@@ -0,0 +1,53 @@
+package lotto.domain;
+
+import lombok.Getter;
+
+import java.util.Objects;
+
+import static lotto.exception.ExceptionMessage.OUT_OF_BOUND_INPUT_FOR_LOTTO_NUMBER;
+
+public class LottoNumber {
+
+ public static final int LOWER_BOUND = 1;
+ public static final int UPPER_BOUND = 45;
+
+ @Getter
+ private final int lottoNumber;
+
+ public LottoNumber(int lottoNumber) throws IllegalArgumentException {
+ validate(lottoNumber);
+
+ this.lottoNumber = lottoNumber;
+ }
+
+ private void validate(int lottoNumber) throws IllegalArgumentException {
+ if (isOutOfBound(lottoNumber)) {
+ throw new IllegalArgumentException(OUT_OF_BOUND_INPUT_FOR_LOTTO_NUMBER.getMessage());
+ }
+ }
+
+ private boolean isOutOfBound(int lottoNumber) {
+ return lottoNumber < LOWER_BOUND || lottoNumber > UPPER_BOUND;
+ }
+
+ public boolean isGreaterThan(LottoNumber winningNumber) {
+ return this.getLottoNumber() > winningNumber.getLottoNumber();
+ }
+
+ @Override
+ public boolean equals(Object o) {
+ if (this == o) {
+ return true;
+ }
+ if (o == null || getClass() != o.getClass()) {
+ return false;
+ }
+ LottoNumber that = (LottoNumber) o;
+ return lottoNumber == that.lottoNumber;
+ }
+
+ @Override
+ public int hashCode() {
+ return Objects.hash(lottoNumber);
+ }
+} | Java | LottoNumber๋ฅผ ์์ฑํ ๋ String์ผ๋ก ์์ฑํ ํ์๊ฐ ์์๊น์?
String type์ผ๋ก ๋ฐ๋ค๋ณด๋ ํ๋ณํ๊น์ง ์ฑ
์์ ธ์ผํ๋ ์ํฉ์ด ๋์๋ค์. |
@@ -0,0 +1,17 @@
+package lotto.domain;
+
+import lombok.Builder;
+import lombok.Getter;
+import lotto.domain.dto.WinningLottoInput;
+
+public class WinningLotto extends Lotto {
+
+ @Getter
+ private final LottoNumber bonusNumber;
+
+ @Builder
+ public WinningLotto(WinningLottoInput winningLottoInput) throws IllegalArgumentException {
+ super(winningLottoInput.getNumbers());
+ this.bonusNumber = new LottoNumber(winningLottoInput.getBonus());
+ }
+} | Java | ๋ฐ๋ณต๋ฌธ๊ณผ ์กฐ๊ฑด๋ฌธ์ ์ค์ฒฉํด์ ๋ก์ง์ด ๋ณต์กํ๋ค์.
๋ ๋์ ๋ฐฉ์์ผ๋ก ๋ฆฌํฉํ ๋ง์ ํด์ผ๊ฒ ์ฃ ? |
@@ -0,0 +1,55 @@
+package lotto.domain;
+
+import lombok.Getter;
+
+@Getter
+public enum Prize {
+
+ FIRST(6, false, 2000000000),
+ SECOND(5, true, 30000000),
+ THIRD(5, false, 1500000),
+ FOURTH(4, false, 50000),
+ FIFTH(3, false, 5000),
+ LOSE(2, false, 0);
+
+ private final int matchNumbersCount;
+ private final boolean isBonus;
+ private final long prizeMoney;
+
+ Prize(int matchNumbersCount, boolean isBonus, long prizeMoney) {
+ this.matchNumbersCount = matchNumbersCount;
+ this.isBonus = isBonus;
+ this.prizeMoney = prizeMoney;
+ }
+
+ public static Prize getMatchPrize(int matchNumbersCount, boolean isBonus) {
+ if (matchNumbersCount <= LOSE.matchNumbersCount) {
+ return LOSE;
+ }
+ if (matchNumbersCount == FIFTH.matchNumbersCount) {
+ return FIFTH;
+ }
+ if (matchNumbersCount == FOURTH.matchNumbersCount) {
+ return FOURTH;
+ }
+ if (matchNumbersCount == FIRST.matchNumbersCount) {
+ return FIRST;
+ }
+ return dissolveSecondOrThird(isBonus);
+ }
+
+ private static Prize dissolveSecondOrThird(boolean isBonus) {
+ if (isBonus) {
+ return Prize.SECOND;
+ }
+ return Prize.THIRD;
+ }
+
+ public static long sumOfPrizeMoney(PrizeCount prizeCount) {
+ return prizeCount.getFirst() * FIRST.prizeMoney
+ + prizeCount.getSecond() * SECOND.prizeMoney
+ + prizeCount.getThird() * THIRD.prizeMoney
+ + prizeCount.getFourth() * FOURTH.prizeMoney
+ + prizeCount.getFifth() * FIFTH.prizeMoney;
+ }
+} | Java | Enum ํ์ฉ ๐ |
@@ -0,0 +1,35 @@
+package lotto.domain;
+
+import lombok.Getter;
+
+@Getter
+public class PrizeCount {
+
+ private int first;
+ private int second;
+ private int third;
+ private int fourth;
+ private int fifth;
+
+ public void addPrize(Prize prize) {
+ if (prize == Prize.FIRST) {
+ first++;
+ return;
+ }
+ if (prize == Prize.SECOND) {
+ second++;
+ return;
+ }
+ if (prize == Prize.THIRD) {
+ third++;
+ return;
+ }
+ if (prize == Prize.FOURTH) {
+ fourth++;
+ return;
+ }
+ if (prize == Prize.FIFTH) {
+ fifth++;
+ }
+ }
+} | Java | ์ด ํด๋์ค์ ์ด๋ฆ์ด Prize**Count**์ด๋
line 9 to 13 count ๋ ์ค๋ณต์ฒ๋ผ ๋๊ปด์ง๋ค์. ๋ ๋จ์ํ๊ฒ ๋ค์ด๋ฐํด๋ ์๋ฏธ ์ ๋ฌ์ ๋ฌด๋ฆฌ ์์ด๋ณด์
๋๋ค. |
@@ -0,0 +1,17 @@
+package lotto.domain;
+
+import lombok.Builder;
+import lombok.Getter;
+import lotto.domain.dto.WinningLottoInput;
+
+public class WinningLotto extends Lotto {
+
+ @Getter
+ private final LottoNumber bonusNumber;
+
+ @Builder
+ public WinningLotto(WinningLottoInput winningLottoInput) throws IllegalArgumentException {
+ super(winningLottoInput.getNumbers());
+ this.bonusNumber = new LottoNumber(winningLottoInput.getBonus());
+ }
+} | Java | 1. ๋ค์ด๋ฐ์์ Condition๊ณผ ๊ฐ์ ๋ชจํธํ ๋จ์ด๋ฅผ ์ฌ์ฉํ๋ฉด ์ข์ง ์์ต๋๋ค. ๋ ๊ตฌ์ฒด์ ์ธ ํํ์ ์ฌ์ฉํ๋๋ก ํฉ์๋ค.
2. find๋ผ๋ ํํ๊ณผ get์ด๋ผ๋ ํํ ์ฌ์ด์ ๋ฏธ๋ฌํ ์ฐจ์ด๊ฐ ์์ต๋๋ค. ์ด๋ค ์ฐจ์ด์ธ์ง๋ ์ฐพ์์ ๊ณต๋ถํ๊ณ ์ ์๊ฒ๋ ๊ณต์ ํด์ฃผ์ธ์. |
@@ -0,0 +1,22 @@
+package lotto.domain;
+
+import lombok.Builder;
+import lombok.Getter;
+
+public class LottoStatistics {
+
+ @Getter
+ private final PrizeCount prizeCount;
+ private final PurchaseCount purchaseCount;
+
+ @Builder
+ public LottoStatistics(PrizeCount prizeCount, PurchaseCount purchaseCount) {
+ this.prizeCount = prizeCount;
+ this.purchaseCount = purchaseCount;
+ }
+
+ public double calculateProfitRate() {
+ return (double) Prize.sumOfPrizeMoney(prizeCount)
+ / (purchaseCount.getPurchaseCount() * Lotto.PRICE);
+ }
+}
\ No newline at end of file | Java | ํต๊ณ๋ฅผ ๋ด๋ ๊ฐ์ฒด๋ฅผ ๋ง๋ ๊ฒ ์์ฃผ ์ข์ต๋๋ค ๐ |
@@ -0,0 +1,21 @@
+import React from 'react';
+
+class InputBox extends React.Component {
+ // eslint-disable-next-line no-useless-constructor
+ constructor(props) {
+ super(props);
+ }
+ render() {
+ const { name, type, placeholder, recivedValue } = this.props;
+ return (
+ <input
+ name={name}
+ type={type}
+ placeholder={placeholder}
+ onChange={recivedValue}
+ />
+ );
+ }
+}
+
+export default InputBox; | JavaScript | ์ด๋ถ๋ถ ์ ์ฃผ์์ฒ๋ฆฌํ์
จ๋์?
์ด๋ ๊ฒ ์์ฐ๋ ์ฝ๋๋ฅผ ์ฃผ์์ฒ๋ฆฌํด์ ๋จ๊ฒจ๋๋ฉด ๋ค๋ฅธ์ฌ๋๋ ์ด ์ฝ๋๊ฐ ์ด๋์ ์ฐ์ด๋๊ฑด๊ฐ ํด์ ๋ชจ๋ ๋ชป์ง์ฐ๊ณ ๊ฒฐ๊ตญ ์๋ฌด ์ธ๋ชจ ์์ง๋ง ๊ณ์ ์ ํด ๋ด๋ ค๊ฐ๋ ์ฃผ์์ฝ๋๊ฐ ๋ฉ๋๋ค
ํ์์๋ ์ฝ๋๋ ์ญ์ ํด์ฃผ์ธ์!
์ปค๋ฐ๋ง ์ ๋จ๊ฒจ๋๋ฉด ๋ค์ ๋์์ฌ ์ ์์ผ๋๊น ๊ณผ๊ฐํ๊ฒ ์ง์๋ ๋ฉ๋๋ค! |
@@ -0,0 +1,21 @@
+import React from 'react';
+
+class InputBox extends React.Component {
+ // eslint-disable-next-line no-useless-constructor
+ constructor(props) {
+ super(props);
+ }
+ render() {
+ const { name, type, placeholder, recivedValue } = this.props;
+ return (
+ <input
+ name={name}
+ type={type}
+ placeholder={placeholder}
+ onChange={recivedValue}
+ />
+ );
+ }
+}
+
+export default InputBox; | JavaScript | ```suggestion
const {name, type, placeholder, recivedValue} = this.props;
return (
<input
name={name}
type={type}
placeholder={placeholder}
onChange={recivedValue}
/>
);
```
๊ตฌ์กฐ๋ถํดํ ๋นํด์ ์ฐ๋ฉด ์ข ๋ ๊น๋ํ๊ฒ ๋ค์ |
@@ -0,0 +1,85 @@
+import React from 'react';
+import { withRouter } from 'react-router-dom';
+import InputBox from './InputBox/InputBox';
+import './JaehyunLogin.scss';
+
+class JaehyunLogin extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: '',
+ password: '',
+ };
+ }
+
+ inputChangeHandler = e => {
+ const { name, value } = e.target;
+ let userIdCheck = true;
+ if (name === 'userName') {
+ this.setState({
+ userName: value,
+ });
+ userIdCheck = value.indexOf('@') === -1;
+ }
+ if (name === 'password') {
+ let passwordCheck = true;
+ this.setState({
+ password: value,
+ });
+ passwordCheck = value.length < 5;
+ }
+ };
+
+ goToMain = e => {
+ e.preventDefault();
+ fetch('http://10.58.0.158:8000/users/signup', {
+ method: 'POST',
+ body: JSON.stringify({
+ email: this.state.userName,
+ password: this.state.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(result => console.log('๊ฒฐ๊ณผ: ', result));
+
+ this.props.history.push('./JaehyunMain');
+ };
+
+ render() {
+ return (
+ <main className="container">
+ <div className="titleText">Westagram</div>
+ <form action="summit">
+ <InputBox
+ name="userName"
+ type="email"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <InputBox
+ name="password"
+ type="password"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <button
+ id="loginButton"
+ onClick={this.goToMain}
+ disabled={this.userIdCheck || this.passwordCheck}
+ style={
+ this.userIdCheck || this.passwordCheck
+ ? { opacity: '10%' }
+ : { opacity: '100%' }
+ }
+ >
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+ <h3 className="passwordText">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</h3>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunLogin); | JavaScript | import ์์ ๋ง์ถฐ์ฃผ์ธ์ |
@@ -0,0 +1,85 @@
+import React from 'react';
+import { withRouter } from 'react-router-dom';
+import InputBox from './InputBox/InputBox';
+import './JaehyunLogin.scss';
+
+class JaehyunLogin extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: '',
+ password: '',
+ };
+ }
+
+ inputChangeHandler = e => {
+ const { name, value } = e.target;
+ let userIdCheck = true;
+ if (name === 'userName') {
+ this.setState({
+ userName: value,
+ });
+ userIdCheck = value.indexOf('@') === -1;
+ }
+ if (name === 'password') {
+ let passwordCheck = true;
+ this.setState({
+ password: value,
+ });
+ passwordCheck = value.length < 5;
+ }
+ };
+
+ goToMain = e => {
+ e.preventDefault();
+ fetch('http://10.58.0.158:8000/users/signup', {
+ method: 'POST',
+ body: JSON.stringify({
+ email: this.state.userName,
+ password: this.state.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(result => console.log('๊ฒฐ๊ณผ: ', result));
+
+ this.props.history.push('./JaehyunMain');
+ };
+
+ render() {
+ return (
+ <main className="container">
+ <div className="titleText">Westagram</div>
+ <form action="summit">
+ <InputBox
+ name="userName"
+ type="email"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <InputBox
+ name="password"
+ type="password"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <button
+ id="loginButton"
+ onClick={this.goToMain}
+ disabled={this.userIdCheck || this.passwordCheck}
+ style={
+ this.userIdCheck || this.passwordCheck
+ ? { opacity: '10%' }
+ : { opacity: '100%' }
+ }
+ >
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+ <h3 className="passwordText">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</h3>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunLogin); | JavaScript | peer review์ ํ์ต์๋ฃ๋ก ์ ๊ณต๋ ๋ฆฌํฉํ ๋ง ์ฒดํฌ๋ฆฌ์คํธ ํ์ธํด๋ณด์๋ฉด ๋ฉ๋๋ค. |
@@ -0,0 +1,85 @@
+import React from 'react';
+import { withRouter } from 'react-router-dom';
+import InputBox from './InputBox/InputBox';
+import './JaehyunLogin.scss';
+
+class JaehyunLogin extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: '',
+ password: '',
+ };
+ }
+
+ inputChangeHandler = e => {
+ const { name, value } = e.target;
+ let userIdCheck = true;
+ if (name === 'userName') {
+ this.setState({
+ userName: value,
+ });
+ userIdCheck = value.indexOf('@') === -1;
+ }
+ if (name === 'password') {
+ let passwordCheck = true;
+ this.setState({
+ password: value,
+ });
+ passwordCheck = value.length < 5;
+ }
+ };
+
+ goToMain = e => {
+ e.preventDefault();
+ fetch('http://10.58.0.158:8000/users/signup', {
+ method: 'POST',
+ body: JSON.stringify({
+ email: this.state.userName,
+ password: this.state.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(result => console.log('๊ฒฐ๊ณผ: ', result));
+
+ this.props.history.push('./JaehyunMain');
+ };
+
+ render() {
+ return (
+ <main className="container">
+ <div className="titleText">Westagram</div>
+ <form action="summit">
+ <InputBox
+ name="userName"
+ type="email"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <InputBox
+ name="password"
+ type="password"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <button
+ id="loginButton"
+ onClick={this.goToMain}
+ disabled={this.userIdCheck || this.passwordCheck}
+ style={
+ this.userIdCheck || this.passwordCheck
+ ? { opacity: '10%' }
+ : { opacity: '100%' }
+ }
+ >
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+ <h3 className="passwordText">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</h3>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunLogin); | JavaScript | [๊ณต์๋ฌธ์ React๋ก ์ฌ๊ณ ํ๊ธฐ](https://ko.reactjs.org/docs/thinking-in-react.html#step-3-identify-the-minimal-but-complete-representation-of-ui-state) ๋ฅผ ๋ณด์๋ฉด ์ด๋ค ๊ฐ๋ค์ด state๊ฐ ๋์ด์ผํ๋์ง์ ๋ํด ์ ํ์์ต๋๋ค.
> ๊ฐ๊ฐ ์ดํด๋ณด๊ณ ์ด๋ค ๊ฒ state๊ฐ ๋์ด์ผ ํ๋ ์ง ์ดํด๋ด
์๋ค. ์ด๋ ๊ฐ ๋ฐ์ดํฐ์ ๋ํด ์๋์ ์ธ ๊ฐ์ง ์ง๋ฌธ์ ํตํด ๊ฒฐ์ ํ ์ ์์ต๋๋ค
> 1. ๋ถ๋ชจ๋ก๋ถํฐ props๋ฅผ ํตํด ์ ๋ฌ๋ฉ๋๊น? ๊ทธ๋ฌ๋ฉด ํ์คํ state๊ฐ ์๋๋๋ค.
> 2. ์๊ฐ์ด ์ง๋๋ ๋ณํ์ง ์๋์? ๊ทธ๋ฌ๋ฉด ํ์คํ state๊ฐ ์๋๋๋ค.
> 3. ์ปดํฌ๋ํธ ์์ ๋ค๋ฅธ state๋ props๋ฅผ ๊ฐ์ง๊ณ ๊ณ์ฐ ๊ฐ๋ฅํ๊ฐ์? ๊ทธ๋ ๋ค๋ฉด state๊ฐ ์๋๋๋ค.
- userIdCheck, passwordCheck๋ ๋ชจ๋ userName, password ๊ฐ์ผ๋ก๋ถํฐ ๊ณ์ฐ ๊ฐ๋ฅํ ๊ฐ์
๋๋ค -> state๋ก ๊ด๋ฆฌํ ํ์ ์์ต๋๋ค.
- ๋ ๋ํ ๋ ๊ณ์ฐํด์ ์ฌ์ฉํ ์ ์์ด ๋ณด์
๋๋ค. |
@@ -0,0 +1,85 @@
+import React from 'react';
+import { withRouter } from 'react-router-dom';
+import InputBox from './InputBox/InputBox';
+import './JaehyunLogin.scss';
+
+class JaehyunLogin extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: '',
+ password: '',
+ };
+ }
+
+ inputChangeHandler = e => {
+ const { name, value } = e.target;
+ let userIdCheck = true;
+ if (name === 'userName') {
+ this.setState({
+ userName: value,
+ });
+ userIdCheck = value.indexOf('@') === -1;
+ }
+ if (name === 'password') {
+ let passwordCheck = true;
+ this.setState({
+ password: value,
+ });
+ passwordCheck = value.length < 5;
+ }
+ };
+
+ goToMain = e => {
+ e.preventDefault();
+ fetch('http://10.58.0.158:8000/users/signup', {
+ method: 'POST',
+ body: JSON.stringify({
+ email: this.state.userName,
+ password: this.state.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(result => console.log('๊ฒฐ๊ณผ: ', result));
+
+ this.props.history.push('./JaehyunMain');
+ };
+
+ render() {
+ return (
+ <main className="container">
+ <div className="titleText">Westagram</div>
+ <form action="summit">
+ <InputBox
+ name="userName"
+ type="email"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <InputBox
+ name="password"
+ type="password"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <button
+ id="loginButton"
+ onClick={this.goToMain}
+ disabled={this.userIdCheck || this.passwordCheck}
+ style={
+ this.userIdCheck || this.passwordCheck
+ ? { opacity: '10%' }
+ : { opacity: '100%' }
+ }
+ >
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+ <h3 className="passwordText">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</h3>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunLogin); | JavaScript | ์ฃผ์ ์ญ์ ํด์ฃผ์ธ์~ |
@@ -0,0 +1,85 @@
+import React from 'react';
+import { withRouter } from 'react-router-dom';
+import InputBox from './InputBox/InputBox';
+import './JaehyunLogin.scss';
+
+class JaehyunLogin extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: '',
+ password: '',
+ };
+ }
+
+ inputChangeHandler = e => {
+ const { name, value } = e.target;
+ let userIdCheck = true;
+ if (name === 'userName') {
+ this.setState({
+ userName: value,
+ });
+ userIdCheck = value.indexOf('@') === -1;
+ }
+ if (name === 'password') {
+ let passwordCheck = true;
+ this.setState({
+ password: value,
+ });
+ passwordCheck = value.length < 5;
+ }
+ };
+
+ goToMain = e => {
+ e.preventDefault();
+ fetch('http://10.58.0.158:8000/users/signup', {
+ method: 'POST',
+ body: JSON.stringify({
+ email: this.state.userName,
+ password: this.state.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(result => console.log('๊ฒฐ๊ณผ: ', result));
+
+ this.props.history.push('./JaehyunMain');
+ };
+
+ render() {
+ return (
+ <main className="container">
+ <div className="titleText">Westagram</div>
+ <form action="summit">
+ <InputBox
+ name="userName"
+ type="email"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <InputBox
+ name="password"
+ type="password"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <button
+ id="loginButton"
+ onClick={this.goToMain}
+ disabled={this.userIdCheck || this.passwordCheck}
+ style={
+ this.userIdCheck || this.passwordCheck
+ ? { opacity: '10%' }
+ : { opacity: '100%' }
+ }
+ >
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+ <h3 className="passwordText">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</h3>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunLogin); | JavaScript | ```suggestion
const { name, value } = e.target;
this.setState({[name]:value});
}
```
๊ณ์ฐ๋ ์์ฑ๋ช
์ฌ์ฉํด์ ์ค์ผ ์ ์์ด๋ณด์
๋๋ค, passwordCheck, userIdCheck๋ ํ์์๋ ๊ฐ์ด๋๊น ์์ ๋ ๋๋ณด์
๋๋ค.
๊ทธ๋ฆฌ๊ณ check๋ ๋ญ๊ฐ ์ฒดํฌ๋ฐ์ค๊ฐ ์ฒดํฌ๋๊ณ ์๋๊ณ ๊ฐ์ง ์๋์? isPasswordValid ๋ฑ์ ์๋ฏธ๊ฐ ๋๋ฌ๋๊ณ , boolean์์ ์์๋ณผ ์ ์๋ ๋ค์ด๋ฐ์ ํด์ฃผ์ธ์ |
@@ -0,0 +1,85 @@
+import React from 'react';
+import { withRouter } from 'react-router-dom';
+import InputBox from './InputBox/InputBox';
+import './JaehyunLogin.scss';
+
+class JaehyunLogin extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: '',
+ password: '',
+ };
+ }
+
+ inputChangeHandler = e => {
+ const { name, value } = e.target;
+ let userIdCheck = true;
+ if (name === 'userName') {
+ this.setState({
+ userName: value,
+ });
+ userIdCheck = value.indexOf('@') === -1;
+ }
+ if (name === 'password') {
+ let passwordCheck = true;
+ this.setState({
+ password: value,
+ });
+ passwordCheck = value.length < 5;
+ }
+ };
+
+ goToMain = e => {
+ e.preventDefault();
+ fetch('http://10.58.0.158:8000/users/signup', {
+ method: 'POST',
+ body: JSON.stringify({
+ email: this.state.userName,
+ password: this.state.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(result => console.log('๊ฒฐ๊ณผ: ', result));
+
+ this.props.history.push('./JaehyunMain');
+ };
+
+ render() {
+ return (
+ <main className="container">
+ <div className="titleText">Westagram</div>
+ <form action="summit">
+ <InputBox
+ name="userName"
+ type="email"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <InputBox
+ name="password"
+ type="password"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <button
+ id="loginButton"
+ onClick={this.goToMain}
+ disabled={this.userIdCheck || this.passwordCheck}
+ style={
+ this.userIdCheck || this.passwordCheck
+ ? { opacity: '10%' }
+ : { opacity: '100%' }
+ }
+ >
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+ <h3 className="passwordText">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</h3>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunLogin); | JavaScript | ๋ฐ๋ณต๋๋ UI๋ก ๋ณด์
๋๋ค, ์์๋ฐ์ดํฐ + Array.map method ํ์ฉํด์ ํํํด๋ณด์ธ์ |
@@ -0,0 +1,85 @@
+import React from 'react';
+import { withRouter } from 'react-router-dom';
+import InputBox from './InputBox/InputBox';
+import './JaehyunLogin.scss';
+
+class JaehyunLogin extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: '',
+ password: '',
+ };
+ }
+
+ inputChangeHandler = e => {
+ const { name, value } = e.target;
+ let userIdCheck = true;
+ if (name === 'userName') {
+ this.setState({
+ userName: value,
+ });
+ userIdCheck = value.indexOf('@') === -1;
+ }
+ if (name === 'password') {
+ let passwordCheck = true;
+ this.setState({
+ password: value,
+ });
+ passwordCheck = value.length < 5;
+ }
+ };
+
+ goToMain = e => {
+ e.preventDefault();
+ fetch('http://10.58.0.158:8000/users/signup', {
+ method: 'POST',
+ body: JSON.stringify({
+ email: this.state.userName,
+ password: this.state.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(result => console.log('๊ฒฐ๊ณผ: ', result));
+
+ this.props.history.push('./JaehyunMain');
+ };
+
+ render() {
+ return (
+ <main className="container">
+ <div className="titleText">Westagram</div>
+ <form action="summit">
+ <InputBox
+ name="userName"
+ type="email"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <InputBox
+ name="password"
+ type="password"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <button
+ id="loginButton"
+ onClick={this.goToMain}
+ disabled={this.userIdCheck || this.passwordCheck}
+ style={
+ this.userIdCheck || this.passwordCheck
+ ? { opacity: '10%' }
+ : { opacity: '100%' }
+ }
+ >
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+ <h3 className="passwordText">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</h3>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunLogin); | JavaScript | - `id` ๋ณด๋ค๋ `className` ์ ํ์ฉํด์ฃผ์๊ธฐ ๋ฐ๋๋๋ค.
- HTML์์ `id` ๋ ๋ฌธ์ ๋ด์์ ์ ์ผํด์ผ ํฉ๋๋ค. ์ด๋ฌํ ์ด์ ๋ก ๋จ์ผ ์์๋ฅผ ๋ค๋ฃจ๋ ๊ฒฝ์ฐ `id`๋ฅผ ์ฌ์ฉํ ์ ์์ต๋๋ค.
- ํ์ง๋งย ์ ๋ง๋ก ํด๋น ์์์ ๋ํ ์ด๋ฒคํธ๋ ์คํ์ผ ํธ๋ค๋ง์ด ํ๋ก์ ํธ ์ ์ฒด์์ ๋จ ํ๋ฒ๋ง ์ฌ์ฉ ๋๋์งย ์ถฉ๋ถํ ๊ณ ๋ฏผํด์ผํฉ๋๋ค. ์ผ๋ฐ์ ์ผ๋ก ์ปดํฌ๋ํธ๋ ์ฌ์ฌ์ฉ ๋ ์ ์๊ธฐ ๋๋ฌธ์ ๊ฐ์ ์์๊ฐ ์ฌ๋ฌ๋ฒ ์์ฑ๋ ์ ์์ต๋๋ค. ์ด๋ฌํ ์ด์ ๋ก ๋ณดํต์ ๊ฒฝ์ฐ์๋ `className` ์ ์ฌ์ฉํฉ๋๋ค. |
@@ -0,0 +1,85 @@
+import React from 'react';
+import { withRouter } from 'react-router-dom';
+import InputBox from './InputBox/InputBox';
+import './JaehyunLogin.scss';
+
+class JaehyunLogin extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: '',
+ password: '',
+ };
+ }
+
+ inputChangeHandler = e => {
+ const { name, value } = e.target;
+ let userIdCheck = true;
+ if (name === 'userName') {
+ this.setState({
+ userName: value,
+ });
+ userIdCheck = value.indexOf('@') === -1;
+ }
+ if (name === 'password') {
+ let passwordCheck = true;
+ this.setState({
+ password: value,
+ });
+ passwordCheck = value.length < 5;
+ }
+ };
+
+ goToMain = e => {
+ e.preventDefault();
+ fetch('http://10.58.0.158:8000/users/signup', {
+ method: 'POST',
+ body: JSON.stringify({
+ email: this.state.userName,
+ password: this.state.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(result => console.log('๊ฒฐ๊ณผ: ', result));
+
+ this.props.history.push('./JaehyunMain');
+ };
+
+ render() {
+ return (
+ <main className="container">
+ <div className="titleText">Westagram</div>
+ <form action="summit">
+ <InputBox
+ name="userName"
+ type="email"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <InputBox
+ name="password"
+ type="password"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ recivedValue={this.inputChangeHandler}
+ />
+ <button
+ id="loginButton"
+ onClick={this.goToMain}
+ disabled={this.userIdCheck || this.passwordCheck}
+ style={
+ this.userIdCheck || this.passwordCheck
+ ? { opacity: '10%' }
+ : { opacity: '100%' }
+ }
+ >
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+ <h3 className="passwordText">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</h3>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunLogin); | JavaScript | inline-style๋ณด๋ค className์ ๋์ ์ผ๋ก ๋ฐ๊พธ๋ ์์ผ๋ก ์คํ์ผ๋ง ํด์ฃผ์ธ์ |
@@ -0,0 +1,20 @@
+import React from 'react';
+
+class Content extends React.Component {
+ constructor(props) {
+ super(props);
+ }
+
+ render() {
+ return (
+ <li key={this.props.key} style={{ listStyle: 'none' }}>
+ <span style={{ fontWeight: 'bold', marginRight: '20px' }}>
+ {this.props.userName}
+ </span>
+ <span>{this.props.content}</span>
+ </li>
+ );
+ }
+}
+
+export default Content; | JavaScript | state๋ฅผ ๋ง๋ค์ง ์์ ๊ฒฝ์ฐ constructor ์ํด์ฃผ์
๋ ๋ฉ๋๋ค! |
@@ -0,0 +1,20 @@
+import React from 'react';
+
+class Content extends React.Component {
+ constructor(props) {
+ super(props);
+ }
+
+ render() {
+ return (
+ <li key={this.props.key} style={{ listStyle: 'none' }}>
+ <span style={{ fontWeight: 'bold', marginRight: '20px' }}>
+ {this.props.userName}
+ </span>
+ <span>{this.props.content}</span>
+ </li>
+ );
+ }
+}
+
+export default Content; | JavaScript | key props์ Array.map method๋ฅผ ํ์ฉํ์ฌ ์ฌ๋ฌ ์๋ฆฌ๋จผํธ๋ฅผ ์์ฑํ ๋ ๋ถ์ฌํด์ํ๋ ๊ฒ์ธ๋ฐ ์ฌ๊ธฐ์๋ map์ ์ฌ์ฉํ๊ณ ์์ง ์์ต๋๋ค. key prop ๋ถ์ฌํ๋ ์๋ฏธ๊ฐ ์์ด๋ณด์
๋๋ค,
๊ทธ๋ฆฌ๊ณ inline-style์ ์ง์ํด์ฃผ์๊ณ className์ ํตํ ์คํ์ผ๋ง ํด์ฃผ์ธ์, ๋๋จธ์ง ๋ถ๋ถ๋ ๋ง์ฐฌ๊ฐ์ง์
๋๋ค, |
@@ -0,0 +1,26 @@
+import React from 'react';
+
+class InputForm extends React.Component {
+ constructor(props) {
+ super(props);
+ }
+
+ render() {
+ return (
+ <form onSubmit={this.addContent}>
+ <input
+ name="comment"
+ className="replyInput"
+ type="text"
+ placeholder="๋๊ธ๋ฌ๊ธฐ..."
+ onKeyUp={this.currentState}
+ />
+ <button className="postButton" type="submit">
+ ๊ฒ์
+ </button>
+ </form>
+ );
+ }
+}
+
+export default InputForm; | JavaScript | currenState๋ผ๋ ํจ์๋ ๋ณด์ด์ง ์์ต๋๋ค! undefined๊ฐ ํ ๋น๋๊ณ ์์ ๊ฒ ๊ฐ๋ค์ |
@@ -0,0 +1,26 @@
+import React from 'react';
+
+class InputForm extends React.Component {
+ constructor(props) {
+ super(props);
+ }
+
+ render() {
+ return (
+ <form onSubmit={this.addContent}>
+ <input
+ name="comment"
+ className="replyInput"
+ type="text"
+ placeholder="๋๊ธ๋ฌ๊ธฐ..."
+ onKeyUp={this.currentState}
+ />
+ <button className="postButton" type="submit">
+ ๊ฒ์
+ </button>
+ </form>
+ );
+ }
+}
+
+export default InputForm; | JavaScript | addContent๋ ๋ง์ฐฌ๊ฐ์ง๋ก ์์ด๋ณด์
๋๋ค! |
@@ -0,0 +1,183 @@
+import React from 'react';
+import { withRouter } from 'react-router';
+import './JaehyunMain.scss';
+import Nav from '../../../components/Nav/Nav';
+import Content from './Content/Content';
+
+class JaehyunMain extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: [],
+ newContent: '',
+ contents: [],
+ };
+ }
+
+ currentState = e => {
+ const newContent = e.target.value;
+ this.setState({ newContent: newContent });
+ if (e.key === 'Enter') {
+ e.target.value = '';
+ }
+ };
+
+ addContent = e => {
+ e.preventDefault();
+ const newContent = this.state.newContent;
+ if (!newContent.length) {
+ alert('๋๊ธ์ ์
๋ ฅํด์ฃผ์ธ์!!');
+ return;
+ }
+ this.setState({
+ contents: this.state.contents.concat(newContent),
+ newConetent: '',
+ });
+ e.target.reset();
+ };
+
+ render() {
+ return (
+ <main className="JaehyunMain">
+ <Nav />
+ <section className="feedWraper">
+ <article>
+ <div className="feedHeader">
+ <div className="feedProfile">
+ <img
+ className="feedProfileImage"
+ src="/images/jaehyun/hoit_logo.jpg"
+ alt="Profile"
+ />
+ <div className="userId">hoit_studio</div>
+ </div>
+ <img
+ className="moreButtonImage"
+ src="/images/jaehyun/more.png"
+ alt="more"
+ />
+ </div>
+ <img
+ className="firstFeed"
+ src="/images/jaehyun/styx.png"
+ alt="feedimage"
+ />
+ <div className="feedContent">
+ <div className="feedIcons">
+ <div className="feedLeftIcons">
+ <img
+ className="likeIcon"
+ src="/images/jaehyun/heart.png"
+ alt="like"
+ />
+ <img
+ className="dmIcon"
+ src="/images/jaehyun/speech-bubble.png"
+ alt="dm"
+ />
+ <img
+ className="shareIcon"
+ src="/images/jaehyun/send.png"
+ alt="share"
+ />
+ </div>
+ <img
+ className="bookmarkIcon"
+ src="/images/jaehyun/ribbon.png"
+ alt="bookmark"
+ />
+ </div>
+ <div className="feedDescription">
+ <p className="feedLike">์ข์์ 2๊ฐ</p>
+ <span className="userId">hoit_studio</span> Styx : isonomiฤ
+ official trailer
+ <p className="hashTag">#Styx #hoitstudio</p>
+ <ul id="reply">
+ {this.state.contents.map((content, index) => {
+ return (
+ <Content key={index} userName={index} content={content} />
+ );
+ })}
+ </ul>
+ </div>
+ </div>
+ <div className="feedReply">
+ <img
+ className="smileIcon"
+ src="/images/jaehyun/smile.png"
+ alt="smile"
+ />
+ <form onSubmit={this.addContent}>
+ <input
+ name="comment"
+ className="replyInput"
+ type="text"
+ placeholder="๋๊ธ๋ฌ๊ธฐ..."
+ onKeyUp={this.currentState}
+ />
+ <button className="postButton" type="submit">
+ ๊ฒ์
+ </button>
+ </form>
+ </div>
+ </article>
+ <aside>
+ <div className="account">
+ <div className="accountUser">
+ <img
+ className="accountUserIcon"
+ src="/images/jaehyun/hoit_logo.jpg"
+ alt="profile"
+ />
+ <div className="accountUserId">
+ hoit_studio
+ <p>hoit_studio</p>
+ </div>
+ </div>
+ <p>์ ํ</p>
+ </div>
+ <div className="story">
+ <div className="storyTop">
+ <p>์คํ ๋ฆฌ</p>
+ <p>๋ชจ๋ ๋ณด๊ธฐ</p>
+ </div>
+ <div className="storyContent">
+ <img
+ className="otherUserIcon"
+ src="/images/jaehyun/user.png"
+ alt="profile"
+ />
+ <p className="otherUserId">hoit_studio</p>
+ </div>
+ </div>
+ <div className="recommendUser">
+ <div className="recommendUserTop">
+ <p>ํ์๋์ ์ํ ์ถ์ฒ</p>
+ <p>๋ชจ๋ ๋ณด๊ธฐ</p>
+ </div>
+ <div className="recommendUserContent">
+ <div className="recommendUserLeftContent">
+ <img
+ className="otherUserIcon"
+ src="/images/jaehyun/user.png"
+ alt="profile "
+ />
+ <p className="otherUserId">hoit_studio</p>
+ </div>
+ <p>ํ๋ก์ฐ</p>
+ </div>
+ </div>
+ <footer>
+ ์๊ฐ ใป ๋์๋ง ใป ํ๋ณด ์ผํฐ ใป API ใป ์ฑ์ฉ ์ ๋ณด ใป
+ ๊ฐ์ธ์ ๋ณด์ฒ๋ฆฌ๋ฐฉ์นจ ใป ์ฝ๊ด ใป ์์น ใป ์ธ๊ธฐ ใป ๊ณ์ ใป ํด์ํ๊ทธ
+ ใป์ธ์ด ยฉ 2021 INSTAGRAM FROM FACEBOOK
+ </footer>
+ </aside>
+ </section>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunMain); | JavaScript | ```suggestion
this.setState({ newContent });
```
๊ฐ์ฒด ๋จ์ถ ์์ฑ๋ช
์ ์ด์ฉํ ์ ์์ต๋๋ค. |
@@ -0,0 +1,183 @@
+import React from 'react';
+import { withRouter } from 'react-router';
+import './JaehyunMain.scss';
+import Nav from '../../../components/Nav/Nav';
+import Content from './Content/Content';
+
+class JaehyunMain extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: [],
+ newContent: '',
+ contents: [],
+ };
+ }
+
+ currentState = e => {
+ const newContent = e.target.value;
+ this.setState({ newContent: newContent });
+ if (e.key === 'Enter') {
+ e.target.value = '';
+ }
+ };
+
+ addContent = e => {
+ e.preventDefault();
+ const newContent = this.state.newContent;
+ if (!newContent.length) {
+ alert('๋๊ธ์ ์
๋ ฅํด์ฃผ์ธ์!!');
+ return;
+ }
+ this.setState({
+ contents: this.state.contents.concat(newContent),
+ newConetent: '',
+ });
+ e.target.reset();
+ };
+
+ render() {
+ return (
+ <main className="JaehyunMain">
+ <Nav />
+ <section className="feedWraper">
+ <article>
+ <div className="feedHeader">
+ <div className="feedProfile">
+ <img
+ className="feedProfileImage"
+ src="/images/jaehyun/hoit_logo.jpg"
+ alt="Profile"
+ />
+ <div className="userId">hoit_studio</div>
+ </div>
+ <img
+ className="moreButtonImage"
+ src="/images/jaehyun/more.png"
+ alt="more"
+ />
+ </div>
+ <img
+ className="firstFeed"
+ src="/images/jaehyun/styx.png"
+ alt="feedimage"
+ />
+ <div className="feedContent">
+ <div className="feedIcons">
+ <div className="feedLeftIcons">
+ <img
+ className="likeIcon"
+ src="/images/jaehyun/heart.png"
+ alt="like"
+ />
+ <img
+ className="dmIcon"
+ src="/images/jaehyun/speech-bubble.png"
+ alt="dm"
+ />
+ <img
+ className="shareIcon"
+ src="/images/jaehyun/send.png"
+ alt="share"
+ />
+ </div>
+ <img
+ className="bookmarkIcon"
+ src="/images/jaehyun/ribbon.png"
+ alt="bookmark"
+ />
+ </div>
+ <div className="feedDescription">
+ <p className="feedLike">์ข์์ 2๊ฐ</p>
+ <span className="userId">hoit_studio</span> Styx : isonomiฤ
+ official trailer
+ <p className="hashTag">#Styx #hoitstudio</p>
+ <ul id="reply">
+ {this.state.contents.map((content, index) => {
+ return (
+ <Content key={index} userName={index} content={content} />
+ );
+ })}
+ </ul>
+ </div>
+ </div>
+ <div className="feedReply">
+ <img
+ className="smileIcon"
+ src="/images/jaehyun/smile.png"
+ alt="smile"
+ />
+ <form onSubmit={this.addContent}>
+ <input
+ name="comment"
+ className="replyInput"
+ type="text"
+ placeholder="๋๊ธ๋ฌ๊ธฐ..."
+ onKeyUp={this.currentState}
+ />
+ <button className="postButton" type="submit">
+ ๊ฒ์
+ </button>
+ </form>
+ </div>
+ </article>
+ <aside>
+ <div className="account">
+ <div className="accountUser">
+ <img
+ className="accountUserIcon"
+ src="/images/jaehyun/hoit_logo.jpg"
+ alt="profile"
+ />
+ <div className="accountUserId">
+ hoit_studio
+ <p>hoit_studio</p>
+ </div>
+ </div>
+ <p>์ ํ</p>
+ </div>
+ <div className="story">
+ <div className="storyTop">
+ <p>์คํ ๋ฆฌ</p>
+ <p>๋ชจ๋ ๋ณด๊ธฐ</p>
+ </div>
+ <div className="storyContent">
+ <img
+ className="otherUserIcon"
+ src="/images/jaehyun/user.png"
+ alt="profile"
+ />
+ <p className="otherUserId">hoit_studio</p>
+ </div>
+ </div>
+ <div className="recommendUser">
+ <div className="recommendUserTop">
+ <p>ํ์๋์ ์ํ ์ถ์ฒ</p>
+ <p>๋ชจ๋ ๋ณด๊ธฐ</p>
+ </div>
+ <div className="recommendUserContent">
+ <div className="recommendUserLeftContent">
+ <img
+ className="otherUserIcon"
+ src="/images/jaehyun/user.png"
+ alt="profile "
+ />
+ <p className="otherUserId">hoit_studio</p>
+ </div>
+ <p>ํ๋ก์ฐ</p>
+ </div>
+ </div>
+ <footer>
+ ์๊ฐ ใป ๋์๋ง ใป ํ๋ณด ์ผํฐ ใป API ใป ์ฑ์ฉ ์ ๋ณด ใป
+ ๊ฐ์ธ์ ๋ณด์ฒ๋ฆฌ๋ฐฉ์นจ ใป ์ฝ๊ด ใป ์์น ใป ์ธ๊ธฐ ใป ๊ณ์ ใป ํด์ํ๊ทธ
+ ใป์ธ์ด ยฉ 2021 INSTAGRAM FROM FACEBOOK
+ </footer>
+ </aside>
+ </section>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunMain); | JavaScript | alt ์์ฑ์ด ์ต์๋จ์ ์์นํ๋๋ก ์์ ์กฐ์ ํด์ฃผ์ธ์ |
@@ -0,0 +1,183 @@
+import React from 'react';
+import { withRouter } from 'react-router';
+import './JaehyunMain.scss';
+import Nav from '../../../components/Nav/Nav';
+import Content from './Content/Content';
+
+class JaehyunMain extends React.Component {
+ constructor(props) {
+ super(props);
+
+ this.state = {
+ userName: [],
+ newContent: '',
+ contents: [],
+ };
+ }
+
+ currentState = e => {
+ const newContent = e.target.value;
+ this.setState({ newContent: newContent });
+ if (e.key === 'Enter') {
+ e.target.value = '';
+ }
+ };
+
+ addContent = e => {
+ e.preventDefault();
+ const newContent = this.state.newContent;
+ if (!newContent.length) {
+ alert('๋๊ธ์ ์
๋ ฅํด์ฃผ์ธ์!!');
+ return;
+ }
+ this.setState({
+ contents: this.state.contents.concat(newContent),
+ newConetent: '',
+ });
+ e.target.reset();
+ };
+
+ render() {
+ return (
+ <main className="JaehyunMain">
+ <Nav />
+ <section className="feedWraper">
+ <article>
+ <div className="feedHeader">
+ <div className="feedProfile">
+ <img
+ className="feedProfileImage"
+ src="/images/jaehyun/hoit_logo.jpg"
+ alt="Profile"
+ />
+ <div className="userId">hoit_studio</div>
+ </div>
+ <img
+ className="moreButtonImage"
+ src="/images/jaehyun/more.png"
+ alt="more"
+ />
+ </div>
+ <img
+ className="firstFeed"
+ src="/images/jaehyun/styx.png"
+ alt="feedimage"
+ />
+ <div className="feedContent">
+ <div className="feedIcons">
+ <div className="feedLeftIcons">
+ <img
+ className="likeIcon"
+ src="/images/jaehyun/heart.png"
+ alt="like"
+ />
+ <img
+ className="dmIcon"
+ src="/images/jaehyun/speech-bubble.png"
+ alt="dm"
+ />
+ <img
+ className="shareIcon"
+ src="/images/jaehyun/send.png"
+ alt="share"
+ />
+ </div>
+ <img
+ className="bookmarkIcon"
+ src="/images/jaehyun/ribbon.png"
+ alt="bookmark"
+ />
+ </div>
+ <div className="feedDescription">
+ <p className="feedLike">์ข์์ 2๊ฐ</p>
+ <span className="userId">hoit_studio</span> Styx : isonomiฤ
+ official trailer
+ <p className="hashTag">#Styx #hoitstudio</p>
+ <ul id="reply">
+ {this.state.contents.map((content, index) => {
+ return (
+ <Content key={index} userName={index} content={content} />
+ );
+ })}
+ </ul>
+ </div>
+ </div>
+ <div className="feedReply">
+ <img
+ className="smileIcon"
+ src="/images/jaehyun/smile.png"
+ alt="smile"
+ />
+ <form onSubmit={this.addContent}>
+ <input
+ name="comment"
+ className="replyInput"
+ type="text"
+ placeholder="๋๊ธ๋ฌ๊ธฐ..."
+ onKeyUp={this.currentState}
+ />
+ <button className="postButton" type="submit">
+ ๊ฒ์
+ </button>
+ </form>
+ </div>
+ </article>
+ <aside>
+ <div className="account">
+ <div className="accountUser">
+ <img
+ className="accountUserIcon"
+ src="/images/jaehyun/hoit_logo.jpg"
+ alt="profile"
+ />
+ <div className="accountUserId">
+ hoit_studio
+ <p>hoit_studio</p>
+ </div>
+ </div>
+ <p>์ ํ</p>
+ </div>
+ <div className="story">
+ <div className="storyTop">
+ <p>์คํ ๋ฆฌ</p>
+ <p>๋ชจ๋ ๋ณด๊ธฐ</p>
+ </div>
+ <div className="storyContent">
+ <img
+ className="otherUserIcon"
+ src="/images/jaehyun/user.png"
+ alt="profile"
+ />
+ <p className="otherUserId">hoit_studio</p>
+ </div>
+ </div>
+ <div className="recommendUser">
+ <div className="recommendUserTop">
+ <p>ํ์๋์ ์ํ ์ถ์ฒ</p>
+ <p>๋ชจ๋ ๋ณด๊ธฐ</p>
+ </div>
+ <div className="recommendUserContent">
+ <div className="recommendUserLeftContent">
+ <img
+ className="otherUserIcon"
+ src="/images/jaehyun/user.png"
+ alt="profile "
+ />
+ <p className="otherUserId">hoit_studio</p>
+ </div>
+ <p>ํ๋ก์ฐ</p>
+ </div>
+ </div>
+ <footer>
+ ์๊ฐ ใป ๋์๋ง ใป ํ๋ณด ์ผํฐ ใป API ใป ์ฑ์ฉ ์ ๋ณด ใป
+ ๊ฐ์ธ์ ๋ณด์ฒ๋ฆฌ๋ฐฉ์นจ ใป ์ฝ๊ด ใป ์์น ใป ์ธ๊ธฐ ใป ๊ณ์ ใป ํด์ํ๊ทธ
+ ใป์ธ์ด ยฉ 2021 INSTAGRAM FROM FACEBOOK
+ </footer>
+ </aside>
+ </section>
+ </main>
+ );
+ }
+}
+
+export default withRouter(JaehyunMain); | JavaScript | className ์ฌ์ฉํด์ฃผ์ธ์ |
@@ -0,0 +1,280 @@
+.JaehyunMain {
+ .fixedTop {
+ position: fixed;
+ top: 0;
+ left: 0;
+ right: 0;
+ background-color: white;
+ border-bottom: 2px solid #ebebeb;
+
+ nav {
+ display: flex;
+ justify-content: space-between;
+ padding: 15px;
+ max-width: 1100px;
+ width: 100%;
+ margin: 0 auto;
+
+ .westagramTitle {
+ margin: 0 15px;
+ font-size: 25px;
+ font-family: 'Lobster', cursive;
+ cursor: pointer;
+ }
+
+ .inputContainer {
+ position: relative;
+ }
+
+ .searchInput {
+ width: 250px;
+ height: 30px;
+
+ border: 1px solid #b2b4b7;
+ border-radius: 3px;
+ background-color: #fafafa;
+ padding-left: 25px;
+ }
+
+ .searchIcon {
+ position: absolute;
+ top: 10px;
+ left: 90px;
+ width: 10px;
+ height: 10px;
+ }
+
+ .searchText {
+ position: absolute;
+ top: 7px;
+ left: 100px;
+ width: 30px;
+ font-size: 14px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon {
+ width: 25px;
+ height: 25px;
+ margin: 0 15px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon:hover {
+ cursor: pointer;
+ }
+ }
+ }
+
+ .feedWraper {
+ display: flex;
+ padding-top: 100px;
+ max-width: 1100px;
+ margin: 0 auto;
+
+ article {
+ background-color: white;
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-right: 30px;
+ width: 700px;
+ text-align: center;
+
+ .feedHeader {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ height: 60px;
+ padding: 15px 15px;
+ border-bottom: 1px solid lightgray;
+
+ .feedProfile {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ }
+
+ .feedProfileImage {
+ width: 35px;
+ height: 35px;
+ border-radius: 70%;
+ }
+
+ .userId {
+ margin-left: 10px;
+ font-weight: bold;
+ }
+ }
+
+ .moreButtonImage {
+ width: 13px;
+ height: 13px;
+ cursor: pointer;
+ }
+
+ .firstFeed {
+ width: 300px;
+ height: 500px;
+ }
+
+ .feedIcons {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 0 10px;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon,
+ .bookmarkIcon {
+ width: 25px;
+ height: 25px;
+ cursor: pointer;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon {
+ margin-left: 15px;
+ }
+
+ .feedDescription {
+ margin-left: 20px;
+ text-align: left;
+ }
+
+ .feedReply {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ border-top: 1px solid lightgray;
+ padding: 10px;
+ margin-top: 20px;
+
+ .replyContent {
+ margin-right: 100px;
+ }
+
+ .smileIcon {
+ width: 25px;
+ height: 25px;
+ }
+
+ .replyInput {
+ width: 570px;
+ height: 30px;
+ border: 0;
+ }
+ .postButton {
+ color: #0996f6;
+ border: 0;
+ margin-left: 5px;
+ cursor: pointer;
+ background-color: white;
+ }
+ }
+ .name {
+ font-weight: bold;
+ }
+
+ .delete {
+ float: right;
+ margin-right: 20px;
+ cursor: pointer;
+ }
+ }
+ }
+
+ aside {
+ width: calc(100% - 700px);
+
+ .account {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ .accountUser {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ .accountUserIcon {
+ width: 50px;
+ height: 50px;
+ margin-right: 20px;
+
+ border-radius: 70%;
+ }
+ }
+
+ .story {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 20px;
+ }
+
+ .storyTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .storyContent {
+ display: flex;
+ justify-content: left;
+ align-items: center;
+ padding: 10px;
+ }
+ .otherUserId {
+ margin-left: 10px;
+ font-size: 15px;
+ }
+ .otherUserIcon {
+ width: 30px;
+ height: 30px;
+ border-radius: 70%;
+ }
+
+ .recommendUser {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 10px;
+ }
+
+ .recommendUserTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .recommendUserContent {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 10px;
+ }
+ .recommendUserLeftContent {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ footer {
+ color: #dfdfdf;
+ font-size: 12px;
+ text-align: left;
+ margin-top: 20px;
+ }
+ }
+} | Unknown | ์ต์์ ๋ค์คํ
ํ๋ ์์์ ํด๋์ค๋ค์์ ์ปดํฌ๋ํธ ๋ช
๊ณผ ๋์ผํ๊ฒ ๋ถ์ฌํด์ฃผ์๊ณ , ํด๋์ค ๋ค์์ ์ด์ฉํด์ ์ต์์ ๋ค์คํ
์ ํด์ฃผ์๋๊ฒ ๋ค๋ฅธ ์ปดํฌ๋ํธ์ css ์ถฉ๋์ด ๋ฐ์ํ ํ๋ฅ ์ ๋ฎ์ถ ์ ์์ต๋๋ค. |
@@ -0,0 +1,280 @@
+.JaehyunMain {
+ .fixedTop {
+ position: fixed;
+ top: 0;
+ left: 0;
+ right: 0;
+ background-color: white;
+ border-bottom: 2px solid #ebebeb;
+
+ nav {
+ display: flex;
+ justify-content: space-between;
+ padding: 15px;
+ max-width: 1100px;
+ width: 100%;
+ margin: 0 auto;
+
+ .westagramTitle {
+ margin: 0 15px;
+ font-size: 25px;
+ font-family: 'Lobster', cursive;
+ cursor: pointer;
+ }
+
+ .inputContainer {
+ position: relative;
+ }
+
+ .searchInput {
+ width: 250px;
+ height: 30px;
+
+ border: 1px solid #b2b4b7;
+ border-radius: 3px;
+ background-color: #fafafa;
+ padding-left: 25px;
+ }
+
+ .searchIcon {
+ position: absolute;
+ top: 10px;
+ left: 90px;
+ width: 10px;
+ height: 10px;
+ }
+
+ .searchText {
+ position: absolute;
+ top: 7px;
+ left: 100px;
+ width: 30px;
+ font-size: 14px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon {
+ width: 25px;
+ height: 25px;
+ margin: 0 15px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon:hover {
+ cursor: pointer;
+ }
+ }
+ }
+
+ .feedWraper {
+ display: flex;
+ padding-top: 100px;
+ max-width: 1100px;
+ margin: 0 auto;
+
+ article {
+ background-color: white;
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-right: 30px;
+ width: 700px;
+ text-align: center;
+
+ .feedHeader {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ height: 60px;
+ padding: 15px 15px;
+ border-bottom: 1px solid lightgray;
+
+ .feedProfile {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ }
+
+ .feedProfileImage {
+ width: 35px;
+ height: 35px;
+ border-radius: 70%;
+ }
+
+ .userId {
+ margin-left: 10px;
+ font-weight: bold;
+ }
+ }
+
+ .moreButtonImage {
+ width: 13px;
+ height: 13px;
+ cursor: pointer;
+ }
+
+ .firstFeed {
+ width: 300px;
+ height: 500px;
+ }
+
+ .feedIcons {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 0 10px;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon,
+ .bookmarkIcon {
+ width: 25px;
+ height: 25px;
+ cursor: pointer;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon {
+ margin-left: 15px;
+ }
+
+ .feedDescription {
+ margin-left: 20px;
+ text-align: left;
+ }
+
+ .feedReply {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ border-top: 1px solid lightgray;
+ padding: 10px;
+ margin-top: 20px;
+
+ .replyContent {
+ margin-right: 100px;
+ }
+
+ .smileIcon {
+ width: 25px;
+ height: 25px;
+ }
+
+ .replyInput {
+ width: 570px;
+ height: 30px;
+ border: 0;
+ }
+ .postButton {
+ color: #0996f6;
+ border: 0;
+ margin-left: 5px;
+ cursor: pointer;
+ background-color: white;
+ }
+ }
+ .name {
+ font-weight: bold;
+ }
+
+ .delete {
+ float: right;
+ margin-right: 20px;
+ cursor: pointer;
+ }
+ }
+ }
+
+ aside {
+ width: calc(100% - 700px);
+
+ .account {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ .accountUser {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ .accountUserIcon {
+ width: 50px;
+ height: 50px;
+ margin-right: 20px;
+
+ border-radius: 70%;
+ }
+ }
+
+ .story {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 20px;
+ }
+
+ .storyTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .storyContent {
+ display: flex;
+ justify-content: left;
+ align-items: center;
+ padding: 10px;
+ }
+ .otherUserId {
+ margin-left: 10px;
+ font-size: 15px;
+ }
+ .otherUserIcon {
+ width: 30px;
+ height: 30px;
+ border-radius: 70%;
+ }
+
+ .recommendUser {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 10px;
+ }
+
+ .recommendUserTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .recommendUserContent {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 10px;
+ }
+ .recommendUserLeftContent {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ footer {
+ color: #dfdfdf;
+ font-size: 12px;
+ text-align: left;
+ margin-top: 20px;
+ }
+ }
+} | Unknown | section์ ์ด๋ฏธ display:block์ ์์ฑ์ด๊ธฐ๋๋ฌธ์, width:100%๋ฅผ ๋ถ์ฌํ ํ์๊ฐ ์์ต๋๋ค. |
@@ -0,0 +1,280 @@
+.JaehyunMain {
+ .fixedTop {
+ position: fixed;
+ top: 0;
+ left: 0;
+ right: 0;
+ background-color: white;
+ border-bottom: 2px solid #ebebeb;
+
+ nav {
+ display: flex;
+ justify-content: space-between;
+ padding: 15px;
+ max-width: 1100px;
+ width: 100%;
+ margin: 0 auto;
+
+ .westagramTitle {
+ margin: 0 15px;
+ font-size: 25px;
+ font-family: 'Lobster', cursive;
+ cursor: pointer;
+ }
+
+ .inputContainer {
+ position: relative;
+ }
+
+ .searchInput {
+ width: 250px;
+ height: 30px;
+
+ border: 1px solid #b2b4b7;
+ border-radius: 3px;
+ background-color: #fafafa;
+ padding-left: 25px;
+ }
+
+ .searchIcon {
+ position: absolute;
+ top: 10px;
+ left: 90px;
+ width: 10px;
+ height: 10px;
+ }
+
+ .searchText {
+ position: absolute;
+ top: 7px;
+ left: 100px;
+ width: 30px;
+ font-size: 14px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon {
+ width: 25px;
+ height: 25px;
+ margin: 0 15px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon:hover {
+ cursor: pointer;
+ }
+ }
+ }
+
+ .feedWraper {
+ display: flex;
+ padding-top: 100px;
+ max-width: 1100px;
+ margin: 0 auto;
+
+ article {
+ background-color: white;
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-right: 30px;
+ width: 700px;
+ text-align: center;
+
+ .feedHeader {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ height: 60px;
+ padding: 15px 15px;
+ border-bottom: 1px solid lightgray;
+
+ .feedProfile {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ }
+
+ .feedProfileImage {
+ width: 35px;
+ height: 35px;
+ border-radius: 70%;
+ }
+
+ .userId {
+ margin-left: 10px;
+ font-weight: bold;
+ }
+ }
+
+ .moreButtonImage {
+ width: 13px;
+ height: 13px;
+ cursor: pointer;
+ }
+
+ .firstFeed {
+ width: 300px;
+ height: 500px;
+ }
+
+ .feedIcons {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 0 10px;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon,
+ .bookmarkIcon {
+ width: 25px;
+ height: 25px;
+ cursor: pointer;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon {
+ margin-left: 15px;
+ }
+
+ .feedDescription {
+ margin-left: 20px;
+ text-align: left;
+ }
+
+ .feedReply {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ border-top: 1px solid lightgray;
+ padding: 10px;
+ margin-top: 20px;
+
+ .replyContent {
+ margin-right: 100px;
+ }
+
+ .smileIcon {
+ width: 25px;
+ height: 25px;
+ }
+
+ .replyInput {
+ width: 570px;
+ height: 30px;
+ border: 0;
+ }
+ .postButton {
+ color: #0996f6;
+ border: 0;
+ margin-left: 5px;
+ cursor: pointer;
+ background-color: white;
+ }
+ }
+ .name {
+ font-weight: bold;
+ }
+
+ .delete {
+ float: right;
+ margin-right: 20px;
+ cursor: pointer;
+ }
+ }
+ }
+
+ aside {
+ width: calc(100% - 700px);
+
+ .account {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ .accountUser {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ .accountUserIcon {
+ width: 50px;
+ height: 50px;
+ margin-right: 20px;
+
+ border-radius: 70%;
+ }
+ }
+
+ .story {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 20px;
+ }
+
+ .storyTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .storyContent {
+ display: flex;
+ justify-content: left;
+ align-items: center;
+ padding: 10px;
+ }
+ .otherUserId {
+ margin-left: 10px;
+ font-size: 15px;
+ }
+ .otherUserIcon {
+ width: 30px;
+ height: 30px;
+ border-radius: 70%;
+ }
+
+ .recommendUser {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 10px;
+ }
+
+ .recommendUserTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .recommendUserContent {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 10px;
+ }
+ .recommendUserLeftContent {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ footer {
+ color: #dfdfdf;
+ font-size: 12px;
+ text-align: left;
+ margin-top: 20px;
+ }
+ }
+} | Unknown | ๊ฐ๋ฅํ ํ๊ทธ ์
๋ ํฐ๋ณด๋ค ํด๋์ค๋ค์์ ๋ถ์ฌํด์ ์ ํํด์ฃผ์ธ์! ํ๊ทธ์
๋ ํฐ๋ฅผ ์ฌ์ฉํ ๊ฒฝ์ฐ ๋ค๋ฅธ ์์๋ค์ ์ํฅ์ ๋ฏธ์น ์ฌ์ง๊ฐ ์์ต๋๋ค! |
@@ -0,0 +1,280 @@
+.JaehyunMain {
+ .fixedTop {
+ position: fixed;
+ top: 0;
+ left: 0;
+ right: 0;
+ background-color: white;
+ border-bottom: 2px solid #ebebeb;
+
+ nav {
+ display: flex;
+ justify-content: space-between;
+ padding: 15px;
+ max-width: 1100px;
+ width: 100%;
+ margin: 0 auto;
+
+ .westagramTitle {
+ margin: 0 15px;
+ font-size: 25px;
+ font-family: 'Lobster', cursive;
+ cursor: pointer;
+ }
+
+ .inputContainer {
+ position: relative;
+ }
+
+ .searchInput {
+ width: 250px;
+ height: 30px;
+
+ border: 1px solid #b2b4b7;
+ border-radius: 3px;
+ background-color: #fafafa;
+ padding-left: 25px;
+ }
+
+ .searchIcon {
+ position: absolute;
+ top: 10px;
+ left: 90px;
+ width: 10px;
+ height: 10px;
+ }
+
+ .searchText {
+ position: absolute;
+ top: 7px;
+ left: 100px;
+ width: 30px;
+ font-size: 14px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon {
+ width: 25px;
+ height: 25px;
+ margin: 0 15px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon:hover {
+ cursor: pointer;
+ }
+ }
+ }
+
+ .feedWraper {
+ display: flex;
+ padding-top: 100px;
+ max-width: 1100px;
+ margin: 0 auto;
+
+ article {
+ background-color: white;
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-right: 30px;
+ width: 700px;
+ text-align: center;
+
+ .feedHeader {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ height: 60px;
+ padding: 15px 15px;
+ border-bottom: 1px solid lightgray;
+
+ .feedProfile {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ }
+
+ .feedProfileImage {
+ width: 35px;
+ height: 35px;
+ border-radius: 70%;
+ }
+
+ .userId {
+ margin-left: 10px;
+ font-weight: bold;
+ }
+ }
+
+ .moreButtonImage {
+ width: 13px;
+ height: 13px;
+ cursor: pointer;
+ }
+
+ .firstFeed {
+ width: 300px;
+ height: 500px;
+ }
+
+ .feedIcons {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 0 10px;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon,
+ .bookmarkIcon {
+ width: 25px;
+ height: 25px;
+ cursor: pointer;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon {
+ margin-left: 15px;
+ }
+
+ .feedDescription {
+ margin-left: 20px;
+ text-align: left;
+ }
+
+ .feedReply {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ border-top: 1px solid lightgray;
+ padding: 10px;
+ margin-top: 20px;
+
+ .replyContent {
+ margin-right: 100px;
+ }
+
+ .smileIcon {
+ width: 25px;
+ height: 25px;
+ }
+
+ .replyInput {
+ width: 570px;
+ height: 30px;
+ border: 0;
+ }
+ .postButton {
+ color: #0996f6;
+ border: 0;
+ margin-left: 5px;
+ cursor: pointer;
+ background-color: white;
+ }
+ }
+ .name {
+ font-weight: bold;
+ }
+
+ .delete {
+ float: right;
+ margin-right: 20px;
+ cursor: pointer;
+ }
+ }
+ }
+
+ aside {
+ width: calc(100% - 700px);
+
+ .account {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ .accountUser {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ .accountUserIcon {
+ width: 50px;
+ height: 50px;
+ margin-right: 20px;
+
+ border-radius: 70%;
+ }
+ }
+
+ .story {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 20px;
+ }
+
+ .storyTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .storyContent {
+ display: flex;
+ justify-content: left;
+ align-items: center;
+ padding: 10px;
+ }
+ .otherUserId {
+ margin-left: 10px;
+ font-size: 15px;
+ }
+ .otherUserIcon {
+ width: 30px;
+ height: 30px;
+ border-radius: 70%;
+ }
+
+ .recommendUser {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 10px;
+ }
+
+ .recommendUserTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .recommendUserContent {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 10px;
+ }
+ .recommendUserLeftContent {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ footer {
+ color: #dfdfdf;
+ font-size: 12px;
+ text-align: left;
+ margin-top: 20px;
+ }
+ }
+} | Unknown | ์ด๋ ๊ฒ ์์ฃผ ์ฌ์ฉํ๋ ์์ฑ๋ค์ mixin์ผ๋ก ๋ง๋ค์ด์ ์ฌ์ฉํด๋ ์ข๊ฒ ๋ค์ |
@@ -0,0 +1,280 @@
+.JaehyunMain {
+ .fixedTop {
+ position: fixed;
+ top: 0;
+ left: 0;
+ right: 0;
+ background-color: white;
+ border-bottom: 2px solid #ebebeb;
+
+ nav {
+ display: flex;
+ justify-content: space-between;
+ padding: 15px;
+ max-width: 1100px;
+ width: 100%;
+ margin: 0 auto;
+
+ .westagramTitle {
+ margin: 0 15px;
+ font-size: 25px;
+ font-family: 'Lobster', cursive;
+ cursor: pointer;
+ }
+
+ .inputContainer {
+ position: relative;
+ }
+
+ .searchInput {
+ width: 250px;
+ height: 30px;
+
+ border: 1px solid #b2b4b7;
+ border-radius: 3px;
+ background-color: #fafafa;
+ padding-left: 25px;
+ }
+
+ .searchIcon {
+ position: absolute;
+ top: 10px;
+ left: 90px;
+ width: 10px;
+ height: 10px;
+ }
+
+ .searchText {
+ position: absolute;
+ top: 7px;
+ left: 100px;
+ width: 30px;
+ font-size: 14px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon {
+ width: 25px;
+ height: 25px;
+ margin: 0 15px;
+ }
+
+ .homeIcon,
+ .sendIcon,
+ .exploreIcon,
+ .heartIcon,
+ .profileIcon:hover {
+ cursor: pointer;
+ }
+ }
+ }
+
+ .feedWraper {
+ display: flex;
+ padding-top: 100px;
+ max-width: 1100px;
+ margin: 0 auto;
+
+ article {
+ background-color: white;
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-right: 30px;
+ width: 700px;
+ text-align: center;
+
+ .feedHeader {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ height: 60px;
+ padding: 15px 15px;
+ border-bottom: 1px solid lightgray;
+
+ .feedProfile {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ }
+
+ .feedProfileImage {
+ width: 35px;
+ height: 35px;
+ border-radius: 70%;
+ }
+
+ .userId {
+ margin-left: 10px;
+ font-weight: bold;
+ }
+ }
+
+ .moreButtonImage {
+ width: 13px;
+ height: 13px;
+ cursor: pointer;
+ }
+
+ .firstFeed {
+ width: 300px;
+ height: 500px;
+ }
+
+ .feedIcons {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 0 10px;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon,
+ .bookmarkIcon {
+ width: 25px;
+ height: 25px;
+ cursor: pointer;
+ }
+
+ .likeIcon,
+ .dmIcon,
+ .shareIcon {
+ margin-left: 15px;
+ }
+
+ .feedDescription {
+ margin-left: 20px;
+ text-align: left;
+ }
+
+ .feedReply {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ border-top: 1px solid lightgray;
+ padding: 10px;
+ margin-top: 20px;
+
+ .replyContent {
+ margin-right: 100px;
+ }
+
+ .smileIcon {
+ width: 25px;
+ height: 25px;
+ }
+
+ .replyInput {
+ width: 570px;
+ height: 30px;
+ border: 0;
+ }
+ .postButton {
+ color: #0996f6;
+ border: 0;
+ margin-left: 5px;
+ cursor: pointer;
+ background-color: white;
+ }
+ }
+ .name {
+ font-weight: bold;
+ }
+
+ .delete {
+ float: right;
+ margin-right: 20px;
+ cursor: pointer;
+ }
+ }
+ }
+
+ aside {
+ width: calc(100% - 700px);
+
+ .account {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+
+ .accountUser {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ .accountUserIcon {
+ width: 50px;
+ height: 50px;
+ margin-right: 20px;
+
+ border-radius: 70%;
+ }
+ }
+
+ .story {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 20px;
+ }
+
+ .storyTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .storyContent {
+ display: flex;
+ justify-content: left;
+ align-items: center;
+ padding: 10px;
+ }
+ .otherUserId {
+ margin-left: 10px;
+ font-size: 15px;
+ }
+ .otherUserIcon {
+ width: 30px;
+ height: 30px;
+ border-radius: 70%;
+ }
+
+ .recommendUser {
+ border: 2px solid #e9e9e9;
+ border-radius: 3px;
+ margin-top: 10px;
+ }
+
+ .recommendUserTop {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 20px;
+ }
+
+ .recommendUserContent {
+ display: flex;
+ justify-content: space-between;
+ align-items: center;
+ padding: 10px;
+ }
+ .recommendUserLeftContent {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+ }
+
+ footer {
+ color: #dfdfdf;
+ font-size: 12px;
+ text-align: left;
+ margin-top: 20px;
+ }
+ }
+} | Unknown | ์ฐ์ฑ๋ ๋ฆฌ๋ทฐ ๋๋ฌด ๊ฐ์ฌํฉ๋๋ค! |
@@ -0,0 +1,177 @@
+@import '../../../styles/variable.scss';
+
+@mixin flex {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+}
+
+@mixin login-input {
+ width: 266px;
+ height: 36px;
+ border: $boxBorder;
+ background-color: #fafafa;
+ color: #a4a4a4;
+ border-radius: 2px;
+ margin-bottom: 6px;
+ font-size: 12px;
+ padding-left: 8px;
+}
+
+.Login {
+ background-color: $backGroundColor;
+
+ .main-box {
+ width: 350px;
+ height: 385px;
+ border: $boxBorder;
+ background-color: $white;
+ margin: 44px auto 10px auto;
+
+ .logo {
+ font-family: 'lobster';
+ font-size: 40px;
+ letter-spacing: -1px;
+ text-align: center;
+ margin: 40px auto;
+ }
+
+ .login-wrap {
+ display: flex;
+ justify-content: center;
+ flex-wrap: wrap;
+ margin-bottom: 8px;
+
+ .nameEmail {
+ @include login-input;
+ &:focus {
+ outline: 1px solid #a8a8a8;
+ }
+ }
+
+ .passWord {
+ @include login-input;
+ &:focus {
+ outline: 1px solid #a8a8a8;
+ }
+ }
+
+ .login-btn {
+ width: 266px;
+ height: 30px;
+ margin: 8px 0;
+ border: none;
+ border-radius: 4px;
+ background-color: $instaBlue;
+ opacity: 1;
+ color: $white;
+ font-size: 13.5px;
+ font-weight: bold;
+ cursor: pointer;
+
+ &:disabled {
+ opacity: 0.5;
+ }
+ }
+ }
+
+ .or-wrap {
+ @include flex;
+
+ .or-line {
+ width: 105px;
+ height: 1px;
+ background-color: #dbdbdb;
+ align-items: center;
+ }
+
+ .or {
+ font-size: 13px;
+ font-weight: bold;
+ color: #a8a8a8;
+ margin: 0 17px;
+ }
+ }
+
+ .facebook-login {
+ @include flex;
+ margin: 20px auto;
+ color: none;
+
+ .facebook-btn {
+ background-color: transparent;
+ border: none;
+ cursor: pointer;
+ }
+
+ .facebook-icon {
+ width: 16px;
+ height: 16px;
+ margin-right: 5px;
+ }
+
+ span {
+ color: $faceBookColor;
+ font-weight: bold;
+ position: relative;
+ bottom: 2px;
+ }
+ }
+
+ .forgot-password {
+ color: $faceBookColor;
+ font-size: 12px;
+ text-align: center;
+
+ .forgot-btn {
+ color: $faceBookColor;
+ background-color: transparent;
+ cursor: pointer;
+
+ &:visited {
+ color: transparent;
+ }
+ }
+ }
+ }
+
+ .join-box {
+ width: 350px;
+ height: 60px;
+ border: 1px solid #dbdbdb;
+ background-color: $white;
+ text-align: center;
+ margin: 0 auto 20px auto;
+ @include flex;
+
+ .let-join {
+ font-size: 14px;
+
+ .signup-btn {
+ font-weight: bold;
+ color: $instaBlue;
+ background-color: transparent;
+ cursor: pointer;
+ }
+ }
+ }
+
+ .app-down {
+ .app-down-text {
+ text-align: center;
+ font-size: 14px;
+ }
+
+ .download-image {
+ display: flex;
+ justify-content: center;
+
+ .appstore-link,
+ .googleplay-link {
+ width: 136px;
+ height: 40px;
+ margin: 20px 4px;
+ }
+ }
+ }
+} | Unknown | - index.js์์ importํ๊ธฐ ๋๋ฌธ์ ์ฌ๊ธฐ์๋ ์ํ์
๋ ๋ฉ๋๋ค. |
@@ -0,0 +1,177 @@
+@import '../../../styles/variable.scss';
+
+@mixin flex {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+}
+
+@mixin login-input {
+ width: 266px;
+ height: 36px;
+ border: $boxBorder;
+ background-color: #fafafa;
+ color: #a4a4a4;
+ border-radius: 2px;
+ margin-bottom: 6px;
+ font-size: 12px;
+ padding-left: 8px;
+}
+
+.Login {
+ background-color: $backGroundColor;
+
+ .main-box {
+ width: 350px;
+ height: 385px;
+ border: $boxBorder;
+ background-color: $white;
+ margin: 44px auto 10px auto;
+
+ .logo {
+ font-family: 'lobster';
+ font-size: 40px;
+ letter-spacing: -1px;
+ text-align: center;
+ margin: 40px auto;
+ }
+
+ .login-wrap {
+ display: flex;
+ justify-content: center;
+ flex-wrap: wrap;
+ margin-bottom: 8px;
+
+ .nameEmail {
+ @include login-input;
+ &:focus {
+ outline: 1px solid #a8a8a8;
+ }
+ }
+
+ .passWord {
+ @include login-input;
+ &:focus {
+ outline: 1px solid #a8a8a8;
+ }
+ }
+
+ .login-btn {
+ width: 266px;
+ height: 30px;
+ margin: 8px 0;
+ border: none;
+ border-radius: 4px;
+ background-color: $instaBlue;
+ opacity: 1;
+ color: $white;
+ font-size: 13.5px;
+ font-weight: bold;
+ cursor: pointer;
+
+ &:disabled {
+ opacity: 0.5;
+ }
+ }
+ }
+
+ .or-wrap {
+ @include flex;
+
+ .or-line {
+ width: 105px;
+ height: 1px;
+ background-color: #dbdbdb;
+ align-items: center;
+ }
+
+ .or {
+ font-size: 13px;
+ font-weight: bold;
+ color: #a8a8a8;
+ margin: 0 17px;
+ }
+ }
+
+ .facebook-login {
+ @include flex;
+ margin: 20px auto;
+ color: none;
+
+ .facebook-btn {
+ background-color: transparent;
+ border: none;
+ cursor: pointer;
+ }
+
+ .facebook-icon {
+ width: 16px;
+ height: 16px;
+ margin-right: 5px;
+ }
+
+ span {
+ color: $faceBookColor;
+ font-weight: bold;
+ position: relative;
+ bottom: 2px;
+ }
+ }
+
+ .forgot-password {
+ color: $faceBookColor;
+ font-size: 12px;
+ text-align: center;
+
+ .forgot-btn {
+ color: $faceBookColor;
+ background-color: transparent;
+ cursor: pointer;
+
+ &:visited {
+ color: transparent;
+ }
+ }
+ }
+ }
+
+ .join-box {
+ width: 350px;
+ height: 60px;
+ border: 1px solid #dbdbdb;
+ background-color: $white;
+ text-align: center;
+ margin: 0 auto 20px auto;
+ @include flex;
+
+ .let-join {
+ font-size: 14px;
+
+ .signup-btn {
+ font-weight: bold;
+ color: $instaBlue;
+ background-color: transparent;
+ cursor: pointer;
+ }
+ }
+ }
+
+ .app-down {
+ .app-down-text {
+ text-align: center;
+ font-size: 14px;
+ }
+
+ .download-image {
+ display: flex;
+ justify-content: center;
+
+ .appstore-link,
+ .googleplay-link {
+ width: 136px;
+ height: 40px;
+ margin: 20px 4px;
+ }
+ }
+ }
+} | Unknown | - mixin ์ฌ์ฉํด์ฃผ์ ๊ฒ ์ข์ต๋๋ค.
- ๋ค๋ฅธ ๋ถ๋ค๊น์ง ์ฌ์ฉํ์ค ์ ์๋ ๋ถ๋ถ์ด๋ผ๊ณ ์๊ฐ๋์๋ฉด variables.scss๋ก ์ฎ๊ฒจ์ ์งํํด ์ฃผ์ธ์. |
@@ -0,0 +1,177 @@
+@import '../../../styles/variable.scss';
+
+@mixin flex {
+ display: flex;
+ justify-content: center;
+ align-items: center;
+}
+
+@mixin login-input {
+ width: 266px;
+ height: 36px;
+ border: $boxBorder;
+ background-color: #fafafa;
+ color: #a4a4a4;
+ border-radius: 2px;
+ margin-bottom: 6px;
+ font-size: 12px;
+ padding-left: 8px;
+}
+
+.Login {
+ background-color: $backGroundColor;
+
+ .main-box {
+ width: 350px;
+ height: 385px;
+ border: $boxBorder;
+ background-color: $white;
+ margin: 44px auto 10px auto;
+
+ .logo {
+ font-family: 'lobster';
+ font-size: 40px;
+ letter-spacing: -1px;
+ text-align: center;
+ margin: 40px auto;
+ }
+
+ .login-wrap {
+ display: flex;
+ justify-content: center;
+ flex-wrap: wrap;
+ margin-bottom: 8px;
+
+ .nameEmail {
+ @include login-input;
+ &:focus {
+ outline: 1px solid #a8a8a8;
+ }
+ }
+
+ .passWord {
+ @include login-input;
+ &:focus {
+ outline: 1px solid #a8a8a8;
+ }
+ }
+
+ .login-btn {
+ width: 266px;
+ height: 30px;
+ margin: 8px 0;
+ border: none;
+ border-radius: 4px;
+ background-color: $instaBlue;
+ opacity: 1;
+ color: $white;
+ font-size: 13.5px;
+ font-weight: bold;
+ cursor: pointer;
+
+ &:disabled {
+ opacity: 0.5;
+ }
+ }
+ }
+
+ .or-wrap {
+ @include flex;
+
+ .or-line {
+ width: 105px;
+ height: 1px;
+ background-color: #dbdbdb;
+ align-items: center;
+ }
+
+ .or {
+ font-size: 13px;
+ font-weight: bold;
+ color: #a8a8a8;
+ margin: 0 17px;
+ }
+ }
+
+ .facebook-login {
+ @include flex;
+ margin: 20px auto;
+ color: none;
+
+ .facebook-btn {
+ background-color: transparent;
+ border: none;
+ cursor: pointer;
+ }
+
+ .facebook-icon {
+ width: 16px;
+ height: 16px;
+ margin-right: 5px;
+ }
+
+ span {
+ color: $faceBookColor;
+ font-weight: bold;
+ position: relative;
+ bottom: 2px;
+ }
+ }
+
+ .forgot-password {
+ color: $faceBookColor;
+ font-size: 12px;
+ text-align: center;
+
+ .forgot-btn {
+ color: $faceBookColor;
+ background-color: transparent;
+ cursor: pointer;
+
+ &:visited {
+ color: transparent;
+ }
+ }
+ }
+ }
+
+ .join-box {
+ width: 350px;
+ height: 60px;
+ border: 1px solid #dbdbdb;
+ background-color: $white;
+ text-align: center;
+ margin: 0 auto 20px auto;
+ @include flex;
+
+ .let-join {
+ font-size: 14px;
+
+ .signup-btn {
+ font-weight: bold;
+ color: $instaBlue;
+ background-color: transparent;
+ cursor: pointer;
+ }
+ }
+ }
+
+ .app-down {
+ .app-down-text {
+ text-align: center;
+ font-size: 14px;
+ }
+
+ .download-image {
+ display: flex;
+ justify-content: center;
+
+ .appstore-link,
+ .googleplay-link {
+ width: 136px;
+ height: 40px;
+ margin: 20px 4px;
+ }
+ }
+ }
+} | Unknown | - nesting ํด์ฃผ์ธ์.
- ๋ ํ๊ทธ๋ฅผ ์ด์ฉํ ์์ฑ ์ฃผ์๋ ๊ฒ์ ์งํฅํด ์ฃผ์๊ณ className์ ํ์ฉํด ์ฃผ์ธ์. |
@@ -1,7 +1,138 @@
-import React from 'react';
+import React, { useState } from 'react';
+import { useNavigate, Link } from 'react-router-dom';
-function Login() {
- return <div>Gaeul Login</div>;
-}
+const Login = () => {
+ const [inputValues, setInputValues] = useState({
+ userId: '',
+ password: '',
+ });
+
+ const handleInput = event => {
+ const { name, value } = event.target;
+ setInputValues({ ...inputValues, [name]: value });
+ };
+
+ const isValidLogin = !(
+ inputValues.userId.includes('@') && inputValues.password.length >= 5
+ );
+
+ const navigate = useNavigate();
+
+ function signUp(e) {
+ e.preventDefault();
+ fetch('http://10.58.2.36:3001/auth/signup', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json;charset=utf-8' },
+ body: JSON.stringify({
+ email: inputValues.userId,
+ password: inputValues.password,
+ }),
+ });
+ }
+
+ function login(e) {
+ e.preventDefault();
+ fetch('http://10.58.2.36:3001/auth/signin', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json;charset=utf-8' },
+ body: JSON.stringify({
+ email: inputValues.userId,
+ password: inputValues.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(data => {
+ if (!!data.accessToken) {
+ alert('ํ์ํฉ๋๋ค!');
+ localStorage.setItem('token', data.accessToken);
+ navigate('/maing');
+ } else if (data.message === 'INVALID_ID') {
+ alert('์์ด๋๋ฅผ ํ์ธํด์ฃผ์ธ์!');
+ } else if (data.message === 'INVALID_PW') {
+ alert('๋น๋ฐ๋ฒํธ๋ฅผ ํ์ธํด์ฃผ์ธ์!');
+ }
+ });
+ }
+
+ return (
+ <div className="Login">
+ <section className="main-box">
+ <div className="logo">Westagram</div>
+
+ <form className="login-wrap" onSubmit={login}>
+ <input
+ name="userId"
+ type="text"
+ className="nameEmail"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ onChange={handleInput}
+ value={inputValues.userId}
+ />
+ <input
+ name="password"
+ type="password"
+ className="passWord"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ onChange={handleInput}
+ value={inputValues.password}
+ />
+ <button className="login-btn" disabled={isValidLogin}>
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+
+ <div className="or-wrap">
+ <div className="or-line" />
+ <p className="or">๋๋</p>
+ <div className="or-line" />
+ </div>
+
+ <div className="facebook-login">
+ <button className="facebook-btn">
+ <img
+ className="facebook-icon"
+ src="images/Gaeul/facebook_icon.png"
+ alt="facebook icon"
+ />
+ <span>Facebook์ผ๋ก ๋ก๊ทธ์ธ</span>
+ </button>
+ </div>
+
+ <div className="forgot-password">
+ <button className="forgot-btn">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</button>
+ </div>
+ </section>
+
+ <section className="join-box">
+ <p className="let-join">
+ ๊ณ์ ์ด ์์ผ์ ๊ฐ์?
+ <button className="signup-btn" onClick={signUp}>
+ ๊ฐ์
ํ๊ธฐ
+ </button>
+ </p>
+ </section>
+
+ <div className="app-down">
+ <p className="app-down-text">์ฑ์ ๋ค์ด๋ก๋ํ์ธ์.</p>
+ <div className="download-image">
+ <Link to="https://apps.apple.com/app/instagram/id389801252?vt=lo">
+ <img
+ className="appstore-link"
+ src="images/Gaeul/appstoredownload.png"
+ alt="go to appstore"
+ />
+ </Link>
+ <Link to="https://play.google.com/store/apps/details?id=com.instagram.androidreferrer=utm_source%3Dinstagramweb%26utm_campaign%3DloginPage%26ig_mid%3D9B98617F-78AA-471A-A22F-E8F80A1366E9%26utm_content%3Dlo%26utm_medium%3Dbadge">
+ <img
+ className="googleplay-link"
+ src="images/Gaeul/googleplaydownload.png"
+ alt="go to googleplay"
+ />
+ </Link>
+ </div>
+ </div>
+ </div>
+ );
+};
export default Login; | JavaScript | - ๋ถํ์ํ ์ฃผ์์ ์ญ์ ํด ์ฃผ์ธ์. |
@@ -1,7 +1,138 @@
-import React from 'react';
+import React, { useState } from 'react';
+import { useNavigate, Link } from 'react-router-dom';
-function Login() {
- return <div>Gaeul Login</div>;
-}
+const Login = () => {
+ const [inputValues, setInputValues] = useState({
+ userId: '',
+ password: '',
+ });
+
+ const handleInput = event => {
+ const { name, value } = event.target;
+ setInputValues({ ...inputValues, [name]: value });
+ };
+
+ const isValidLogin = !(
+ inputValues.userId.includes('@') && inputValues.password.length >= 5
+ );
+
+ const navigate = useNavigate();
+
+ function signUp(e) {
+ e.preventDefault();
+ fetch('http://10.58.2.36:3001/auth/signup', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json;charset=utf-8' },
+ body: JSON.stringify({
+ email: inputValues.userId,
+ password: inputValues.password,
+ }),
+ });
+ }
+
+ function login(e) {
+ e.preventDefault();
+ fetch('http://10.58.2.36:3001/auth/signin', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json;charset=utf-8' },
+ body: JSON.stringify({
+ email: inputValues.userId,
+ password: inputValues.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(data => {
+ if (!!data.accessToken) {
+ alert('ํ์ํฉ๋๋ค!');
+ localStorage.setItem('token', data.accessToken);
+ navigate('/maing');
+ } else if (data.message === 'INVALID_ID') {
+ alert('์์ด๋๋ฅผ ํ์ธํด์ฃผ์ธ์!');
+ } else if (data.message === 'INVALID_PW') {
+ alert('๋น๋ฐ๋ฒํธ๋ฅผ ํ์ธํด์ฃผ์ธ์!');
+ }
+ });
+ }
+
+ return (
+ <div className="Login">
+ <section className="main-box">
+ <div className="logo">Westagram</div>
+
+ <form className="login-wrap" onSubmit={login}>
+ <input
+ name="userId"
+ type="text"
+ className="nameEmail"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ onChange={handleInput}
+ value={inputValues.userId}
+ />
+ <input
+ name="password"
+ type="password"
+ className="passWord"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ onChange={handleInput}
+ value={inputValues.password}
+ />
+ <button className="login-btn" disabled={isValidLogin}>
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+
+ <div className="or-wrap">
+ <div className="or-line" />
+ <p className="or">๋๋</p>
+ <div className="or-line" />
+ </div>
+
+ <div className="facebook-login">
+ <button className="facebook-btn">
+ <img
+ className="facebook-icon"
+ src="images/Gaeul/facebook_icon.png"
+ alt="facebook icon"
+ />
+ <span>Facebook์ผ๋ก ๋ก๊ทธ์ธ</span>
+ </button>
+ </div>
+
+ <div className="forgot-password">
+ <button className="forgot-btn">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</button>
+ </div>
+ </section>
+
+ <section className="join-box">
+ <p className="let-join">
+ ๊ณ์ ์ด ์์ผ์ ๊ฐ์?
+ <button className="signup-btn" onClick={signUp}>
+ ๊ฐ์
ํ๊ธฐ
+ </button>
+ </p>
+ </section>
+
+ <div className="app-down">
+ <p className="app-down-text">์ฑ์ ๋ค์ด๋ก๋ํ์ธ์.</p>
+ <div className="download-image">
+ <Link to="https://apps.apple.com/app/instagram/id389801252?vt=lo">
+ <img
+ className="appstore-link"
+ src="images/Gaeul/appstoredownload.png"
+ alt="go to appstore"
+ />
+ </Link>
+ <Link to="https://play.google.com/store/apps/details?id=com.instagram.androidreferrer=utm_source%3Dinstagramweb%26utm_campaign%3DloginPage%26ig_mid%3D9B98617F-78AA-471A-A22F-E8F80A1366E9%26utm_content%3Dlo%26utm_medium%3Dbadge">
+ <img
+ className="googleplay-link"
+ src="images/Gaeul/googleplaydownload.png"
+ alt="go to googleplay"
+ />
+ </Link>
+ </div>
+ </div>
+ </div>
+ );
+};
export default Login; | JavaScript | - ํ๊ทธ๋ฅผ ์ฌ์ฉํด ์ฃผ์๊ณ className์ ํด๋น ์ปดํฌ๋ํธ๋ก ํด์ฃผ์ธ์. |
@@ -1,7 +1,138 @@
-import React from 'react';
+import React, { useState } from 'react';
+import { useNavigate, Link } from 'react-router-dom';
-function Login() {
- return <div>Gaeul Login</div>;
-}
+const Login = () => {
+ const [inputValues, setInputValues] = useState({
+ userId: '',
+ password: '',
+ });
+
+ const handleInput = event => {
+ const { name, value } = event.target;
+ setInputValues({ ...inputValues, [name]: value });
+ };
+
+ const isValidLogin = !(
+ inputValues.userId.includes('@') && inputValues.password.length >= 5
+ );
+
+ const navigate = useNavigate();
+
+ function signUp(e) {
+ e.preventDefault();
+ fetch('http://10.58.2.36:3001/auth/signup', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json;charset=utf-8' },
+ body: JSON.stringify({
+ email: inputValues.userId,
+ password: inputValues.password,
+ }),
+ });
+ }
+
+ function login(e) {
+ e.preventDefault();
+ fetch('http://10.58.2.36:3001/auth/signin', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json;charset=utf-8' },
+ body: JSON.stringify({
+ email: inputValues.userId,
+ password: inputValues.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(data => {
+ if (!!data.accessToken) {
+ alert('ํ์ํฉ๋๋ค!');
+ localStorage.setItem('token', data.accessToken);
+ navigate('/maing');
+ } else if (data.message === 'INVALID_ID') {
+ alert('์์ด๋๋ฅผ ํ์ธํด์ฃผ์ธ์!');
+ } else if (data.message === 'INVALID_PW') {
+ alert('๋น๋ฐ๋ฒํธ๋ฅผ ํ์ธํด์ฃผ์ธ์!');
+ }
+ });
+ }
+
+ return (
+ <div className="Login">
+ <section className="main-box">
+ <div className="logo">Westagram</div>
+
+ <form className="login-wrap" onSubmit={login}>
+ <input
+ name="userId"
+ type="text"
+ className="nameEmail"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ onChange={handleInput}
+ value={inputValues.userId}
+ />
+ <input
+ name="password"
+ type="password"
+ className="passWord"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ onChange={handleInput}
+ value={inputValues.password}
+ />
+ <button className="login-btn" disabled={isValidLogin}>
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+
+ <div className="or-wrap">
+ <div className="or-line" />
+ <p className="or">๋๋</p>
+ <div className="or-line" />
+ </div>
+
+ <div className="facebook-login">
+ <button className="facebook-btn">
+ <img
+ className="facebook-icon"
+ src="images/Gaeul/facebook_icon.png"
+ alt="facebook icon"
+ />
+ <span>Facebook์ผ๋ก ๋ก๊ทธ์ธ</span>
+ </button>
+ </div>
+
+ <div className="forgot-password">
+ <button className="forgot-btn">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</button>
+ </div>
+ </section>
+
+ <section className="join-box">
+ <p className="let-join">
+ ๊ณ์ ์ด ์์ผ์ ๊ฐ์?
+ <button className="signup-btn" onClick={signUp}>
+ ๊ฐ์
ํ๊ธฐ
+ </button>
+ </p>
+ </section>
+
+ <div className="app-down">
+ <p className="app-down-text">์ฑ์ ๋ค์ด๋ก๋ํ์ธ์.</p>
+ <div className="download-image">
+ <Link to="https://apps.apple.com/app/instagram/id389801252?vt=lo">
+ <img
+ className="appstore-link"
+ src="images/Gaeul/appstoredownload.png"
+ alt="go to appstore"
+ />
+ </Link>
+ <Link to="https://play.google.com/store/apps/details?id=com.instagram.androidreferrer=utm_source%3Dinstagramweb%26utm_campaign%3DloginPage%26ig_mid%3D9B98617F-78AA-471A-A22F-E8F80A1366E9%26utm_content%3Dlo%26utm_medium%3Dbadge">
+ <img
+ className="googleplay-link"
+ src="images/Gaeul/googleplaydownload.png"
+ alt="go to googleplay"
+ />
+ </Link>
+ </div>
+ </div>
+ </div>
+ );
+};
export default Login; | JavaScript | - return ์์ชฝ์ render์ ๊ด๋ จ๋ ๋ถ๋ถ์ด๋ผ ๋ก์ง์ ์ต๋ํ ํจ์ ์์ญ์ ์์ฑํด ์ฃผ์ธ์. |
@@ -1,7 +1,138 @@
-import React from 'react';
+import React, { useState } from 'react';
+import { useNavigate, Link } from 'react-router-dom';
-function Login() {
- return <div>Gaeul Login</div>;
-}
+const Login = () => {
+ const [inputValues, setInputValues] = useState({
+ userId: '',
+ password: '',
+ });
+
+ const handleInput = event => {
+ const { name, value } = event.target;
+ setInputValues({ ...inputValues, [name]: value });
+ };
+
+ const isValidLogin = !(
+ inputValues.userId.includes('@') && inputValues.password.length >= 5
+ );
+
+ const navigate = useNavigate();
+
+ function signUp(e) {
+ e.preventDefault();
+ fetch('http://10.58.2.36:3001/auth/signup', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json;charset=utf-8' },
+ body: JSON.stringify({
+ email: inputValues.userId,
+ password: inputValues.password,
+ }),
+ });
+ }
+
+ function login(e) {
+ e.preventDefault();
+ fetch('http://10.58.2.36:3001/auth/signin', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json;charset=utf-8' },
+ body: JSON.stringify({
+ email: inputValues.userId,
+ password: inputValues.password,
+ }),
+ })
+ .then(response => response.json())
+ .then(data => {
+ if (!!data.accessToken) {
+ alert('ํ์ํฉ๋๋ค!');
+ localStorage.setItem('token', data.accessToken);
+ navigate('/maing');
+ } else if (data.message === 'INVALID_ID') {
+ alert('์์ด๋๋ฅผ ํ์ธํด์ฃผ์ธ์!');
+ } else if (data.message === 'INVALID_PW') {
+ alert('๋น๋ฐ๋ฒํธ๋ฅผ ํ์ธํด์ฃผ์ธ์!');
+ }
+ });
+ }
+
+ return (
+ <div className="Login">
+ <section className="main-box">
+ <div className="logo">Westagram</div>
+
+ <form className="login-wrap" onSubmit={login}>
+ <input
+ name="userId"
+ type="text"
+ className="nameEmail"
+ placeholder="์ ํ๋ฒํธ, ์ฌ์ฉ์ ์ด๋ฆ ๋๋ ์ด๋ฉ์ผ"
+ onChange={handleInput}
+ value={inputValues.userId}
+ />
+ <input
+ name="password"
+ type="password"
+ className="passWord"
+ placeholder="๋น๋ฐ๋ฒํธ"
+ onChange={handleInput}
+ value={inputValues.password}
+ />
+ <button className="login-btn" disabled={isValidLogin}>
+ ๋ก๊ทธ์ธ
+ </button>
+ </form>
+
+ <div className="or-wrap">
+ <div className="or-line" />
+ <p className="or">๋๋</p>
+ <div className="or-line" />
+ </div>
+
+ <div className="facebook-login">
+ <button className="facebook-btn">
+ <img
+ className="facebook-icon"
+ src="images/Gaeul/facebook_icon.png"
+ alt="facebook icon"
+ />
+ <span>Facebook์ผ๋ก ๋ก๊ทธ์ธ</span>
+ </button>
+ </div>
+
+ <div className="forgot-password">
+ <button className="forgot-btn">๋น๋ฐ๋ฒํธ๋ฅผ ์์ผ์
จ๋์?</button>
+ </div>
+ </section>
+
+ <section className="join-box">
+ <p className="let-join">
+ ๊ณ์ ์ด ์์ผ์ ๊ฐ์?
+ <button className="signup-btn" onClick={signUp}>
+ ๊ฐ์
ํ๊ธฐ
+ </button>
+ </p>
+ </section>
+
+ <div className="app-down">
+ <p className="app-down-text">์ฑ์ ๋ค์ด๋ก๋ํ์ธ์.</p>
+ <div className="download-image">
+ <Link to="https://apps.apple.com/app/instagram/id389801252?vt=lo">
+ <img
+ className="appstore-link"
+ src="images/Gaeul/appstoredownload.png"
+ alt="go to appstore"
+ />
+ </Link>
+ <Link to="https://play.google.com/store/apps/details?id=com.instagram.androidreferrer=utm_source%3Dinstagramweb%26utm_campaign%3DloginPage%26ig_mid%3D9B98617F-78AA-471A-A22F-E8F80A1366E9%26utm_content%3Dlo%26utm_medium%3Dbadge">
+ <img
+ className="googleplay-link"
+ src="images/Gaeul/googleplaydownload.png"
+ alt="go to googleplay"
+ />
+ </Link>
+ </div>
+ </div>
+ </div>
+ );
+};
export default Login; | JavaScript | - navigate๋ ์กฐ๊ฑด์ด ์์ ๋ ์ฌ์ฉํ์๋ฉด ๋ฉ๋๋ค.
- ๊ทธ๊ฒ ์๋๋ผ๋ฉด ๋ง์ํ์ ๊ฒ ์ฒ๋ผ Link ์ปดํฌ๋ํธ๋ฅผ ํ์ฉํ์
๋ ๋ฉ๋๋ค. |
@@ -0,0 +1,100 @@
+@import '../../../styles/variable.scss';
+
+p {
+ font-family: 'Roboto';
+ letter-spacing: 0.2px;
+}
+
+.Main {
+ background-color: $backGroundColor;
+
+ .main {
+ display: flex;
+ justify-content: center;
+ padding-bottom: 100px;
+
+ .main-right {
+ width: 250px;
+ height: 500px;
+
+ .id-info-box {
+ display: flex;
+ justify-content: left;
+ align-items: center;
+ padding-left: 5px;
+ margin-bottom: 15px;
+
+ .my-image {
+ width: 45px;
+ height: 45px;
+ border-radius: 50%;
+ background-color: black;
+ margin-right: 10px;
+ }
+
+ .my-info {
+ p {
+ font-size: 14px;
+ }
+
+ #my-id {
+ font-weight: 500;
+ margin-bottom: 3px;
+ }
+
+ #my-id-text {
+ color: #adafb1;
+ }
+ }
+ }
+
+ .site-info {
+ width: 220px;
+ display: flex;
+ flex-wrap: wrap;
+
+ .site-info-list {
+ color: #c3c5c7;
+ font-size: 12px;
+ margin-bottom: 5px;
+
+ a {
+ color: #c3c5c7;
+ }
+
+ &:not(:last-child)::after {
+ content: '\00B7';
+ color: lightgray;
+ margin: 0 3px;
+ }
+ }
+
+ p {
+ color: #c3c5c7;
+ font-size: 12px;
+ margin-top: 15px;
+ line-height: 15px;
+ }
+ }
+ }
+ }
+}
+
+/* media query */
+@media screen and (max-width: 750px) {
+ .header-wrap {
+ max-width: 750px;
+ }
+
+ .main {
+ display: block;
+
+ .feeds {
+ margin: 0 auto;
+ }
+ }
+
+ .main-right {
+ display: none;
+ }
+} | Unknown | - body๋ ๋ค๋ฅธ ํ์ด์ง์๋ ์ํฅ์ ์ค ์ ์๊ฒ ๋ค์
- ํ์ํ ๋ถ๋ถ์ด๋ผ๋ฉด common.scss์์ ์งํ๋๊ฑฐ๋ ํ์๋ค๊ณผ ๋
ผ์ ํ ์งํํ์๋ฉด ๋ฉ๋๋ค. |
@@ -0,0 +1,100 @@
+@import '../../../styles/variable.scss';
+
+p {
+ font-family: 'Roboto';
+ letter-spacing: 0.2px;
+}
+
+.Main {
+ background-color: $backGroundColor;
+
+ .main {
+ display: flex;
+ justify-content: center;
+ padding-bottom: 100px;
+
+ .main-right {
+ width: 250px;
+ height: 500px;
+
+ .id-info-box {
+ display: flex;
+ justify-content: left;
+ align-items: center;
+ padding-left: 5px;
+ margin-bottom: 15px;
+
+ .my-image {
+ width: 45px;
+ height: 45px;
+ border-radius: 50%;
+ background-color: black;
+ margin-right: 10px;
+ }
+
+ .my-info {
+ p {
+ font-size: 14px;
+ }
+
+ #my-id {
+ font-weight: 500;
+ margin-bottom: 3px;
+ }
+
+ #my-id-text {
+ color: #adafb1;
+ }
+ }
+ }
+
+ .site-info {
+ width: 220px;
+ display: flex;
+ flex-wrap: wrap;
+
+ .site-info-list {
+ color: #c3c5c7;
+ font-size: 12px;
+ margin-bottom: 5px;
+
+ a {
+ color: #c3c5c7;
+ }
+
+ &:not(:last-child)::after {
+ content: '\00B7';
+ color: lightgray;
+ margin: 0 3px;
+ }
+ }
+
+ p {
+ color: #c3c5c7;
+ font-size: 12px;
+ margin-top: 15px;
+ line-height: 15px;
+ }
+ }
+ }
+ }
+}
+
+/* media query */
+@media screen and (max-width: 750px) {
+ .header-wrap {
+ max-width: 750px;
+ }
+
+ .main {
+ display: block;
+
+ .feeds {
+ margin: 0 auto;
+ }
+ }
+
+ .main-right {
+ display: none;
+ }
+} | Unknown | - ์ปดํฌ๋ํธ๋ฅผ ๋ถ๋ฆฌํ์
จ๋ค๋ฉด ํด๋น css๋ ๋ถ๋ฆฌํ์
์ ์งํํ์๋ ๊ฒ ๊ฐ๋
์ฑ์๋ ์ข๊ฒ ๋ค์. |
@@ -0,0 +1,82 @@
+import React, { useState } from 'react';
+import CommentList from './CommentList';
+
+const Feeds = ({ feedData }) => {
+ const [input, setInput] = useState('');
+ const [inputList, setInputList] = useState([]);
+
+ const post = event => {
+ event.preventDefault();
+ setInputList(inputList.concat(input));
+ setInput('');
+ };
+
+ const handleInput = event => {
+ setInput(event.target.value);
+ };
+
+ return (
+ <div className="feeds" key={feedData.userId}>
+ <div className="user-bar">
+ <div className="user">
+ <div className="user-image" />
+ <em className="user-id">{feedData.userId}</em>
+ </div>
+ <button id="feed-dot">
+ <i className="fa-solid fa-ellipsis" />
+ </button>
+ </div>
+
+ <img className="article-img" src={feedData.url} alt="ํผ๋์ด๋ฏธ์ง" />
+
+ <div className="article-icons">
+ <div className="article-three-icons">
+ <button>
+ <i className="fa-regular fa-heart" />
+ </button>
+ <button>
+ <i className="fa-regular fa-comment" />
+ </button>
+ <button>
+ <i className="fa-solid fa-arrow-up-from-bracket" />
+ </button>
+ </div>
+
+ <button className="bookmark">
+ <i className="fa-regular fa-bookmark" />
+ </button>
+ </div>
+
+ <div className="like-user">
+ <div className="like-user-img" />
+ <p>
+ <b>{feedData.likeUser}</b>๋ ์ธ <b>{feedData.like}๋ช
</b>์ด ์ข์ํฉ๋๋ค
+ </p>
+ </div>
+
+ <ul className="comments-ul">
+ {inputList.map((input, idx) => {
+ return <CommentList key={idx} item={input} />;
+ })}
+ </ul>
+
+ <form className="lets-comment" onSubmit={post}>
+ <input
+ className="comment-input"
+ type="text"
+ placeholder="๋๊ธ ๋ฌ๊ธฐ..."
+ onChange={handleInput}
+ value={input}
+ />
+ <button
+ className={input ? 'submitCommentActive' : 'submitCommentInactive'}
+ disabled={!input}
+ >
+ ๊ฒ์
+ </button>
+ </form>
+ </div>
+ );
+};
+
+export default Feeds; | JavaScript | - className์ ์ปดํฌ๋ํธ๋ช
๊ณผ ๊ฐ๊ฒ ํด์ฃผ์ธ์. |
@@ -0,0 +1,82 @@
+import React, { useState } from 'react';
+import CommentList from './CommentList';
+
+const Feeds = ({ feedData }) => {
+ const [input, setInput] = useState('');
+ const [inputList, setInputList] = useState([]);
+
+ const post = event => {
+ event.preventDefault();
+ setInputList(inputList.concat(input));
+ setInput('');
+ };
+
+ const handleInput = event => {
+ setInput(event.target.value);
+ };
+
+ return (
+ <div className="feeds" key={feedData.userId}>
+ <div className="user-bar">
+ <div className="user">
+ <div className="user-image" />
+ <em className="user-id">{feedData.userId}</em>
+ </div>
+ <button id="feed-dot">
+ <i className="fa-solid fa-ellipsis" />
+ </button>
+ </div>
+
+ <img className="article-img" src={feedData.url} alt="ํผ๋์ด๋ฏธ์ง" />
+
+ <div className="article-icons">
+ <div className="article-three-icons">
+ <button>
+ <i className="fa-regular fa-heart" />
+ </button>
+ <button>
+ <i className="fa-regular fa-comment" />
+ </button>
+ <button>
+ <i className="fa-solid fa-arrow-up-from-bracket" />
+ </button>
+ </div>
+
+ <button className="bookmark">
+ <i className="fa-regular fa-bookmark" />
+ </button>
+ </div>
+
+ <div className="like-user">
+ <div className="like-user-img" />
+ <p>
+ <b>{feedData.likeUser}</b>๋ ์ธ <b>{feedData.like}๋ช
</b>์ด ์ข์ํฉ๋๋ค
+ </p>
+ </div>
+
+ <ul className="comments-ul">
+ {inputList.map((input, idx) => {
+ return <CommentList key={idx} item={input} />;
+ })}
+ </ul>
+
+ <form className="lets-comment" onSubmit={post}>
+ <input
+ className="comment-input"
+ type="text"
+ placeholder="๋๊ธ ๋ฌ๊ธฐ..."
+ onChange={handleInput}
+ value={input}
+ />
+ <button
+ className={input ? 'submitCommentActive' : 'submitCommentInactive'}
+ disabled={!input}
+ >
+ ๊ฒ์
+ </button>
+ </form>
+ </div>
+ );
+};
+
+export default Feeds; | JavaScript | - alt๋ ์ ์ ๊ฐ ๋ณด๋ ํ
์คํธ ์
๋๋ค.
- ์ ์ ์
์ฅ์์ ์์ฑํด ์ฃผ์ธ์. |
@@ -0,0 +1,82 @@
+import React, { useState } from 'react';
+import CommentList from './CommentList';
+
+const Feeds = ({ feedData }) => {
+ const [input, setInput] = useState('');
+ const [inputList, setInputList] = useState([]);
+
+ const post = event => {
+ event.preventDefault();
+ setInputList(inputList.concat(input));
+ setInput('');
+ };
+
+ const handleInput = event => {
+ setInput(event.target.value);
+ };
+
+ return (
+ <div className="feeds" key={feedData.userId}>
+ <div className="user-bar">
+ <div className="user">
+ <div className="user-image" />
+ <em className="user-id">{feedData.userId}</em>
+ </div>
+ <button id="feed-dot">
+ <i className="fa-solid fa-ellipsis" />
+ </button>
+ </div>
+
+ <img className="article-img" src={feedData.url} alt="ํผ๋์ด๋ฏธ์ง" />
+
+ <div className="article-icons">
+ <div className="article-three-icons">
+ <button>
+ <i className="fa-regular fa-heart" />
+ </button>
+ <button>
+ <i className="fa-regular fa-comment" />
+ </button>
+ <button>
+ <i className="fa-solid fa-arrow-up-from-bracket" />
+ </button>
+ </div>
+
+ <button className="bookmark">
+ <i className="fa-regular fa-bookmark" />
+ </button>
+ </div>
+
+ <div className="like-user">
+ <div className="like-user-img" />
+ <p>
+ <b>{feedData.likeUser}</b>๋ ์ธ <b>{feedData.like}๋ช
</b>์ด ์ข์ํฉ๋๋ค
+ </p>
+ </div>
+
+ <ul className="comments-ul">
+ {inputList.map((input, idx) => {
+ return <CommentList key={idx} item={input} />;
+ })}
+ </ul>
+
+ <form className="lets-comment" onSubmit={post}>
+ <input
+ className="comment-input"
+ type="text"
+ placeholder="๋๊ธ ๋ฌ๊ธฐ..."
+ onChange={handleInput}
+ value={input}
+ />
+ <button
+ className={input ? 'submitCommentActive' : 'submitCommentInactive'}
+ disabled={!input}
+ >
+ ๊ฒ์
+ </button>
+ </form>
+ </div>
+ );
+};
+
+export default Feeds; | JavaScript | - onKeyup ๋ณด๋ค๋ ๋ณ์๋ก ๋์ ๊ด๋ฆฌ๋ฅผ ํ๋ฉด ์ข์ ๊ฒ ๊ฐ์ต๋๋ค.
- ๋ณ์๋ฅผ ๋ง๋ค์ด ๋์ ์ผ๋ก ๊ด๋ฆฌํ๋ค๋ฉด state๊ฐ ์์ด๋ ๋๊ฒ ๋ค์. |
@@ -0,0 +1,82 @@
+import React, { useState } from 'react';
+import CommentList from './CommentList';
+
+const Feeds = ({ feedData }) => {
+ const [input, setInput] = useState('');
+ const [inputList, setInputList] = useState([]);
+
+ const post = event => {
+ event.preventDefault();
+ setInputList(inputList.concat(input));
+ setInput('');
+ };
+
+ const handleInput = event => {
+ setInput(event.target.value);
+ };
+
+ return (
+ <div className="feeds" key={feedData.userId}>
+ <div className="user-bar">
+ <div className="user">
+ <div className="user-image" />
+ <em className="user-id">{feedData.userId}</em>
+ </div>
+ <button id="feed-dot">
+ <i className="fa-solid fa-ellipsis" />
+ </button>
+ </div>
+
+ <img className="article-img" src={feedData.url} alt="ํผ๋์ด๋ฏธ์ง" />
+
+ <div className="article-icons">
+ <div className="article-three-icons">
+ <button>
+ <i className="fa-regular fa-heart" />
+ </button>
+ <button>
+ <i className="fa-regular fa-comment" />
+ </button>
+ <button>
+ <i className="fa-solid fa-arrow-up-from-bracket" />
+ </button>
+ </div>
+
+ <button className="bookmark">
+ <i className="fa-regular fa-bookmark" />
+ </button>
+ </div>
+
+ <div className="like-user">
+ <div className="like-user-img" />
+ <p>
+ <b>{feedData.likeUser}</b>๋ ์ธ <b>{feedData.like}๋ช
</b>์ด ์ข์ํฉ๋๋ค
+ </p>
+ </div>
+
+ <ul className="comments-ul">
+ {inputList.map((input, idx) => {
+ return <CommentList key={idx} item={input} />;
+ })}
+ </ul>
+
+ <form className="lets-comment" onSubmit={post}>
+ <input
+ className="comment-input"
+ type="text"
+ placeholder="๋๊ธ ๋ฌ๊ธฐ..."
+ onChange={handleInput}
+ value={input}
+ />
+ <button
+ className={input ? 'submitCommentActive' : 'submitCommentInactive'}
+ disabled={!input}
+ >
+ ๊ฒ์
+ </button>
+ </form>
+ </div>
+ );
+};
+
+export default Feeds; | JavaScript | - form ํ๊ทธ ์์ ์๋ค๋ฉด ๋ฒํผ์๋ ๋ฐ๋ก onClick์ ๋ถ์ฌํ์ง ์์ผ์
๋ ๋ฉ๋๋ค. |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ์ด๋ค TextField์ธ์ง ๋ช
์ ์ํด์ฃผ๊ณ editing์ด ์์๋ textField์๋ ์๋์ผ๋ก ์ ์ฉ๋๋๊ตฌ๋
์ค ์๊ฐ๋ชปํ๋๋ฐ ๋ฐฐ์ ์ต๋๋ค ใ
ใ
๊ฐ์ฌํด์ |
@@ -0,0 +1,205 @@
+//
+// LoginView.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/16.
+//
+
+import UIKit
+
+class LoginView: UIView {
+
+ // MARK: - Object Setting
+
+ private let mainLabel = UILabel().then {
+ $0.text = "TVING ID ๋ก๊ทธ์ธ"
+ $0.font = .tvingMedium(ofSize: 23)
+ $0.textColor = .tvingGray1
+ $0.textAlignment = .center
+ }
+
+ let idTextField = CustomTextField().then {
+ $0.placeholder = "์ด๋ฉ์ผ"
+ $0.setPlaceholderColor(.tvingGray2)
+ $0.font = .tvingMedium(ofSize: 15)
+ $0.textColor = .tvingGray2
+ $0.backgroundColor = .tvingGray4
+ $0.keyboardType = .emailAddress
+ }
+
+ let idInvalidLabel = UILabel().then {
+ $0.textColor = .systemRed
+ $0.font = .systemFont(ofSize: 12)
+ $0.text = "* ์ฌ๋ฐ๋ฅด์ง ์์ ์ด๋ฉ์ผ ํ์์
๋๋ค ๐ญ"
+ $0.isHidden = true
+ }
+
+ let passwordTextField = CustomPasswordTextField().then {
+ $0.placeholder = "๋น๋ฐ๋ฒํธ"
+ $0.setPlaceholderColor(.tvingGray2)
+ $0.font = .tvingMedium(ofSize: 15)
+ $0.textColor = .tvingGray2
+ $0.backgroundColor = .tvingGray4
+ $0.keyboardType = .asciiCapable
+ }
+
+ lazy var logInBtn = UIButton().then {
+ $0.setTitle("๋ก๊ทธ์ธํ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ $0.layer.borderColor = UIColor.tvingGray4.cgColor
+ $0.layer.borderWidth = 1
+ $0.layer.cornerRadius = 3
+ $0.isEnabled = false
+ }
+
+ private let idPasswordStackView = UIStackView().then {
+ $0.axis = .horizontal
+ $0.distribution = .fill
+ $0.alignment = .center
+ $0.spacing = 40
+ }
+
+ lazy var findIdBtn = UIButton().then {
+ $0.setTitle("์์ด๋ ์ฐพ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ }
+
+ lazy var findPasswordBtn = UIButton().then {
+ $0.setTitle("๋น๋ฐ๋ฒํธ ์ฐพ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ }
+
+ private let makeAccountStackView = UIStackView().then {
+ $0.axis = .horizontal
+ $0.distribution = .fill
+ $0.alignment = .center
+ $0.spacing = 20
+ }
+
+ let askExistAccountLabel = UILabel().then {
+ $0.text = "์์ง ๊ณ์ ์ด ์์ผ์ ๊ฐ์?"
+ $0.font = .tvingRegular(ofSize: 14)
+ $0.textColor = .tvingGray3
+ $0.textAlignment = .center
+ }
+
+ lazy var goToMakeNicknameBtn = UIButton().then {
+ $0.setTitle("๋๋ค์ ๋ง๋ค๋ฌ๊ฐ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingRegular(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ $0.setUnderline()
+ }
+
+ lazy var backBtn = UIButton().then {
+ $0.setImage(UIImage(named: "btn_before"), for: .normal)
+ }
+
+ override init(frame: CGRect) {
+ super.init(frame: frame)
+
+ style()
+ hierarchy()
+ setLayout()
+ }
+
+ required init?(coder: NSCoder) {
+ fatalError("init(coder:) has not been implemented")
+ }
+
+}
+
+private extension LoginView {
+
+ func style() {
+ self.backgroundColor = .black
+ }
+
+ func hierarchy() {
+ self.addSubviews(mainLabel,
+ idTextField,
+ idInvalidLabel,
+ passwordTextField,
+ logInBtn,
+ idPasswordStackView,
+ makeAccountStackView,
+ backBtn)
+ idPasswordStackView.addArrangedSubviews(findIdBtn,
+ findPasswordBtn)
+ makeAccountStackView.addArrangedSubviews(askExistAccountLabel,
+ goToMakeNicknameBtn)
+ }
+
+
+ func setLayout() {
+
+ mainLabel.snp.makeConstraints{
+ $0.height.equalTo(37)
+ $0.top.equalTo(self.safeAreaLayoutGuide).inset(50)
+ $0.leading.trailing.equalToSuperview().inset(100)
+ }
+
+ idTextField.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainLabel.snp.bottom).offset(31)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ passwordTextField.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ logInBtn.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(passwordTextField.snp.bottom).offset(21)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ idPasswordStackView.snp.makeConstraints {
+ $0.height.equalTo(25)
+ $0.top.equalTo(logInBtn.snp.bottom).offset(30)
+ $0.centerX.equalToSuperview().inset(80)
+ }
+
+ makeAccountStackView.snp.makeConstraints {
+ $0.height.equalTo(25)
+ $0.top.equalTo(idPasswordStackView.snp.bottom).offset(30)
+ $0.centerX.equalToSuperview().inset(50)
+ }
+
+ backBtn.snp.makeConstraints{
+ $0.height.equalTo(15)
+ $0.width.equalTo(8)
+ $0.top.equalTo(self.safeAreaLayoutGuide).inset(25)
+ $0.leading.equalToSuperview().inset(24)
+ }
+
+ findIdBtn.snp.makeConstraints{
+ $0.width.equalTo(70)
+ $0.height.equalTo(22)
+ }
+
+ findPasswordBtn.snp.makeConstraints{
+ $0.width.equalTo(80)
+ $0.height.equalTo(22)
+ }
+
+ askExistAccountLabel.snp.makeConstraints{
+ $0.width.equalTo(140)
+ $0.height.equalTo(22)
+ }
+
+ goToMakeNicknameBtn.snp.makeConstraints{
+ $0.width.equalTo(128)
+ $0.height.equalTo(22)
+ }
+ }
+} | Swift | ๊ฐ๊ฐ ์ข์ฐ๋ฅผ ๊ธฐ์ค์ผ๋ก ํ๋ฉด ๊ธฐ๊ธฐ๋ง๋ค ์ฐจ์ด๊ฐ ์ข ๋ํ๋ ๊ฑฐ ๊ฐ์์!
๊ฐ์ด๋ฐ๋ฅผ ๊ธฐ์ค์ผ๋ก ๋ฌถ์ ์ ์๋ ๋ฐฉ๋ฒ(stackview)๋ ์ข์ ๊ฑฐ๊ฐ์์ ใ
ใ
|
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | UIView๋ฅผ ๋ฐ๋ก ๋นผ๋๊น ํ ์ฝ๋๊ฐ ์งง์์ก๋ค์
์ ๋ ๋ค์์ ์ด๋ฐ์์ผ๋ก ํด๋ด์ผ๊ฒ ์ต๋๋ค ๊ฐ์ฌํฉ๋๋ค ใ
ใ
|
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | targetํจ์ ๋ฐ๋ก ๋บ ๊ฑฐ ์งฑ์ด์์ฌ ๋ฐฐ์๊ฐ๋๋ค |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ์ฐ์ ํค๋ณด๋ ์ฒ๋ฆฌ๊น์ง !! ์งฑ์ด๊ตฐ์ฌ |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ์ ๊ตฌ์กฐ์ฒด๋ก ๋ฌถ์ด์ฃผ๋ ๊ฑฐ ๊น์ง! |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ๊ตฌ์กฐ์ฒด์์ ๋ณ์๋ค์ ""๋ก ์ด๊ธฐํํ๋ ๊ฒ๋ณด๋ค ์ต์
๋ ์ฒ๋ฆฌํด๋๋๊ฒ ์ด๋จ๊น์?
๋์ค์ ๊ตฌ์กฐ์ฒด ๋ณ์์ ๊ฐ์ ๋ฃ๋ค๋ณด๋ฉด, ๋ณ์๊ฐ ์ค์ ๋ก ๊ฐ์ด ์๋ ์ํ์ธ์ง ์๋๋ฉด ์๋์ ์ผ๋ก ๋น ๊ฐ์ผ๋ก ์ด๊ธฐํ๋ ๊ฒ์ธ์ง๋ฅผ
๊ตฌ๋ถํ๊ธฐ ์ด๋ ต๋ค๊ณ ์๊ฐํด์ ์ ๋ ?(์ต์
๋)์ ์ฌ์ฉํด๋ณด๋ฉด ์ข์๊ฒ ๊ฐ์์!
`var id: String?` ์ด๋ฐ ์์ผ๋ก์ |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ์ค์ํํธ์์ ์ ๊ทผ ์ ์ด์๋ฅผ ๋ฐ๋ก ์ ์ธํ์ง ์์ผ๋ฉด internal ์ ๊ทผ์ด ๊ธฐ๋ณธ์ด๋ผ๊ณ ํด์!
open-> public -> internal -> file-private -> private ์ผ๋ก ๊ฐ ์๋ก ์ ํ์ ์ธ ์ ๊ทผ์์ธ๋ฐ
์๋ก ๋ค๋ฅธ ๋ชจ๋๋ผ๋ฆฌ ์ ๊ทผํ๋ ์ํฉ์ด ์๋๋ผ๋ฉด
๊ตณ์ด public์ ์ ์ธํ์ฌ ์ ๊ทผ ์์ค์ ์ฝํ๊ฒ ํ ํ์ ์๋ค๊ณ ์๊ฐํ๋๋ฐ ์ด๋ป๊ฒ ์๊ฐํ์ธ์ฉ?
https://zeddios.tistory.com/383 |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | public์ด ์๋ก ๋ค๋ฅธ ๋ชจ๋์์๋ ์ ๊ทผํ ์ ์๋๋กํ๋ ์ ๊ทผ ์ ์ด๋ผ๊ณ ํ๋ค์.
๋ชจ๋์ด ์์ํด์ ์ฐพ์๋ณด๋ "Xcode์ ๊ฐ ๋น๋ ๋์"์ ๋ชจ๋์ด๋ผ๊ณ ํ๋๋ผ๊ณ ์. ํ๋ก์ ํธ ํ์ผ์ด๋ผ๊ณ ์ ๋ ์ดํดํ์ด์! |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ?? ๋ฐฉ์์ผ๋ก ์ต์
๋ ์ธ๋ฉํํ๋๊ฒ๋ ์ข์ง๋ง!
๊ฐ๋
์ฑ์ ์ํด if let ์ด๋ guard let์ ์ฐ๋ฉด ๋ ์ข์๊ฒ ๊ฐ์์~ |
@@ -0,0 +1,205 @@
+//
+// LoginView.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/16.
+//
+
+import UIKit
+
+class LoginView: UIView {
+
+ // MARK: - Object Setting
+
+ private let mainLabel = UILabel().then {
+ $0.text = "TVING ID ๋ก๊ทธ์ธ"
+ $0.font = .tvingMedium(ofSize: 23)
+ $0.textColor = .tvingGray1
+ $0.textAlignment = .center
+ }
+
+ let idTextField = CustomTextField().then {
+ $0.placeholder = "์ด๋ฉ์ผ"
+ $0.setPlaceholderColor(.tvingGray2)
+ $0.font = .tvingMedium(ofSize: 15)
+ $0.textColor = .tvingGray2
+ $0.backgroundColor = .tvingGray4
+ $0.keyboardType = .emailAddress
+ }
+
+ let idInvalidLabel = UILabel().then {
+ $0.textColor = .systemRed
+ $0.font = .systemFont(ofSize: 12)
+ $0.text = "* ์ฌ๋ฐ๋ฅด์ง ์์ ์ด๋ฉ์ผ ํ์์
๋๋ค ๐ญ"
+ $0.isHidden = true
+ }
+
+ let passwordTextField = CustomPasswordTextField().then {
+ $0.placeholder = "๋น๋ฐ๋ฒํธ"
+ $0.setPlaceholderColor(.tvingGray2)
+ $0.font = .tvingMedium(ofSize: 15)
+ $0.textColor = .tvingGray2
+ $0.backgroundColor = .tvingGray4
+ $0.keyboardType = .asciiCapable
+ }
+
+ lazy var logInBtn = UIButton().then {
+ $0.setTitle("๋ก๊ทธ์ธํ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ $0.layer.borderColor = UIColor.tvingGray4.cgColor
+ $0.layer.borderWidth = 1
+ $0.layer.cornerRadius = 3
+ $0.isEnabled = false
+ }
+
+ private let idPasswordStackView = UIStackView().then {
+ $0.axis = .horizontal
+ $0.distribution = .fill
+ $0.alignment = .center
+ $0.spacing = 40
+ }
+
+ lazy var findIdBtn = UIButton().then {
+ $0.setTitle("์์ด๋ ์ฐพ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ }
+
+ lazy var findPasswordBtn = UIButton().then {
+ $0.setTitle("๋น๋ฐ๋ฒํธ ์ฐพ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ }
+
+ private let makeAccountStackView = UIStackView().then {
+ $0.axis = .horizontal
+ $0.distribution = .fill
+ $0.alignment = .center
+ $0.spacing = 20
+ }
+
+ let askExistAccountLabel = UILabel().then {
+ $0.text = "์์ง ๊ณ์ ์ด ์์ผ์ ๊ฐ์?"
+ $0.font = .tvingRegular(ofSize: 14)
+ $0.textColor = .tvingGray3
+ $0.textAlignment = .center
+ }
+
+ lazy var goToMakeNicknameBtn = UIButton().then {
+ $0.setTitle("๋๋ค์ ๋ง๋ค๋ฌ๊ฐ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingRegular(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ $0.setUnderline()
+ }
+
+ lazy var backBtn = UIButton().then {
+ $0.setImage(UIImage(named: "btn_before"), for: .normal)
+ }
+
+ override init(frame: CGRect) {
+ super.init(frame: frame)
+
+ style()
+ hierarchy()
+ setLayout()
+ }
+
+ required init?(coder: NSCoder) {
+ fatalError("init(coder:) has not been implemented")
+ }
+
+}
+
+private extension LoginView {
+
+ func style() {
+ self.backgroundColor = .black
+ }
+
+ func hierarchy() {
+ self.addSubviews(mainLabel,
+ idTextField,
+ idInvalidLabel,
+ passwordTextField,
+ logInBtn,
+ idPasswordStackView,
+ makeAccountStackView,
+ backBtn)
+ idPasswordStackView.addArrangedSubviews(findIdBtn,
+ findPasswordBtn)
+ makeAccountStackView.addArrangedSubviews(askExistAccountLabel,
+ goToMakeNicknameBtn)
+ }
+
+
+ func setLayout() {
+
+ mainLabel.snp.makeConstraints{
+ $0.height.equalTo(37)
+ $0.top.equalTo(self.safeAreaLayoutGuide).inset(50)
+ $0.leading.trailing.equalToSuperview().inset(100)
+ }
+
+ idTextField.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainLabel.snp.bottom).offset(31)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ passwordTextField.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ logInBtn.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(passwordTextField.snp.bottom).offset(21)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ idPasswordStackView.snp.makeConstraints {
+ $0.height.equalTo(25)
+ $0.top.equalTo(logInBtn.snp.bottom).offset(30)
+ $0.centerX.equalToSuperview().inset(80)
+ }
+
+ makeAccountStackView.snp.makeConstraints {
+ $0.height.equalTo(25)
+ $0.top.equalTo(idPasswordStackView.snp.bottom).offset(30)
+ $0.centerX.equalToSuperview().inset(50)
+ }
+
+ backBtn.snp.makeConstraints{
+ $0.height.equalTo(15)
+ $0.width.equalTo(8)
+ $0.top.equalTo(self.safeAreaLayoutGuide).inset(25)
+ $0.leading.equalToSuperview().inset(24)
+ }
+
+ findIdBtn.snp.makeConstraints{
+ $0.width.equalTo(70)
+ $0.height.equalTo(22)
+ }
+
+ findPasswordBtn.snp.makeConstraints{
+ $0.width.equalTo(80)
+ $0.height.equalTo(22)
+ }
+
+ askExistAccountLabel.snp.makeConstraints{
+ $0.width.equalTo(140)
+ $0.height.equalTo(22)
+ }
+
+ goToMakeNicknameBtn.snp.makeConstraints{
+ $0.width.equalTo(128)
+ $0.height.equalTo(22)
+ }
+ }
+} | Swift | ๋ฒํผ ์ปดํฌ๋ํธ๋ค์๋ง lazy๋ฅผ ๋ฃ์ด์ฃผ์
จ๋๋ฐ addTarget์์ (๋
ธ๋์)์๋์ ํผํ๊ธฐ ์ํด์ ๋ฃ์๊ฑฐ์ฃ ..?
๋ฒํผ ์ด๋ฒคํธ ์ฐ๊ฒฐ ๋ฐฉ์์ค์ addTarget ๋ฐฉ์ ์ธ์๋ addAction ๋ฐฉ์๋ ์์ด์!
addAction ๋ฐฉ์์ ์ฌ์ฉํ๋ฉด ๋ฒํผ ์ด๋ฒคํธ ์ฐ๊ฒฐ ํจ์์ @objc๋ ๋ถ์ด์ง ์์๋ ๋๊ณ , ์๋์ ํผํ๊ธฐ ์ํ lazy๋ ์์จ๋ ๋ฉ๋๋ค!
๊ฐ๋
์ฑ ์ธก๋ฉด์ด๋, ์ต๋ํ objc ์์๋ฅผ ์ ์ธํ๊ณ UIKit ํต์ผ์ฑ์ ์ํด addAction ๋ฐฉ์๋ ์๊ณ ์์ผ๋ฉด ์ข์๊ฒ ๊ฐ์์!
์๋๋ addAction ๋ฐฉ์์ผ๋ก ๋ฒํผ ์ด๋ฒคํธ ์ฐ๊ฒฐํ ์์ ์ฝ๋์์!
private func setButtonEvent() {
self.datePickerView.setAction()
let moveToTodayDateButtonAction = UIAction { [weak self] _ in
self?.moveToTodayDate()
}
let moveToTodayDatePickerButtonAction = UIAction { [weak self] _ in
self?.moveToDatePicker()
}
let moveToSettingViewAction = UIAction { [weak self] _ in
self?.moveToSettingView()
}
self.homeCalenderView.todayButton.addAction(moveToTodayDateButtonAction, for: .touchUpInside)
self.homeCalenderView.calendarMonthLabelButton.addAction(moveToTodayDatePickerButtonAction, for: .touchUpInside)
self.homeCalenderView.calendarMonthPickButton.addAction(moveToTodayDatePickerButtonAction, for: .touchUpInside)
self.profileButton.addAction(moveToSettingViewAction, for: .touchUpInside)
} |
@@ -0,0 +1,205 @@
+//
+// LoginView.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/16.
+//
+
+import UIKit
+
+class LoginView: UIView {
+
+ // MARK: - Object Setting
+
+ private let mainLabel = UILabel().then {
+ $0.text = "TVING ID ๋ก๊ทธ์ธ"
+ $0.font = .tvingMedium(ofSize: 23)
+ $0.textColor = .tvingGray1
+ $0.textAlignment = .center
+ }
+
+ let idTextField = CustomTextField().then {
+ $0.placeholder = "์ด๋ฉ์ผ"
+ $0.setPlaceholderColor(.tvingGray2)
+ $0.font = .tvingMedium(ofSize: 15)
+ $0.textColor = .tvingGray2
+ $0.backgroundColor = .tvingGray4
+ $0.keyboardType = .emailAddress
+ }
+
+ let idInvalidLabel = UILabel().then {
+ $0.textColor = .systemRed
+ $0.font = .systemFont(ofSize: 12)
+ $0.text = "* ์ฌ๋ฐ๋ฅด์ง ์์ ์ด๋ฉ์ผ ํ์์
๋๋ค ๐ญ"
+ $0.isHidden = true
+ }
+
+ let passwordTextField = CustomPasswordTextField().then {
+ $0.placeholder = "๋น๋ฐ๋ฒํธ"
+ $0.setPlaceholderColor(.tvingGray2)
+ $0.font = .tvingMedium(ofSize: 15)
+ $0.textColor = .tvingGray2
+ $0.backgroundColor = .tvingGray4
+ $0.keyboardType = .asciiCapable
+ }
+
+ lazy var logInBtn = UIButton().then {
+ $0.setTitle("๋ก๊ทธ์ธํ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ $0.layer.borderColor = UIColor.tvingGray4.cgColor
+ $0.layer.borderWidth = 1
+ $0.layer.cornerRadius = 3
+ $0.isEnabled = false
+ }
+
+ private let idPasswordStackView = UIStackView().then {
+ $0.axis = .horizontal
+ $0.distribution = .fill
+ $0.alignment = .center
+ $0.spacing = 40
+ }
+
+ lazy var findIdBtn = UIButton().then {
+ $0.setTitle("์์ด๋ ์ฐพ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ }
+
+ lazy var findPasswordBtn = UIButton().then {
+ $0.setTitle("๋น๋ฐ๋ฒํธ ์ฐพ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingMedium(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ }
+
+ private let makeAccountStackView = UIStackView().then {
+ $0.axis = .horizontal
+ $0.distribution = .fill
+ $0.alignment = .center
+ $0.spacing = 20
+ }
+
+ let askExistAccountLabel = UILabel().then {
+ $0.text = "์์ง ๊ณ์ ์ด ์์ผ์ ๊ฐ์?"
+ $0.font = .tvingRegular(ofSize: 14)
+ $0.textColor = .tvingGray3
+ $0.textAlignment = .center
+ }
+
+ lazy var goToMakeNicknameBtn = UIButton().then {
+ $0.setTitle("๋๋ค์ ๋ง๋ค๋ฌ๊ฐ๊ธฐ", for: .normal)
+ $0.setTitleColor(.tvingGray2, for: .normal)
+ $0.titleLabel?.font = .tvingRegular(ofSize: 14)
+ $0.titleLabel?.textAlignment = .center
+ $0.setUnderline()
+ }
+
+ lazy var backBtn = UIButton().then {
+ $0.setImage(UIImage(named: "btn_before"), for: .normal)
+ }
+
+ override init(frame: CGRect) {
+ super.init(frame: frame)
+
+ style()
+ hierarchy()
+ setLayout()
+ }
+
+ required init?(coder: NSCoder) {
+ fatalError("init(coder:) has not been implemented")
+ }
+
+}
+
+private extension LoginView {
+
+ func style() {
+ self.backgroundColor = .black
+ }
+
+ func hierarchy() {
+ self.addSubviews(mainLabel,
+ idTextField,
+ idInvalidLabel,
+ passwordTextField,
+ logInBtn,
+ idPasswordStackView,
+ makeAccountStackView,
+ backBtn)
+ idPasswordStackView.addArrangedSubviews(findIdBtn,
+ findPasswordBtn)
+ makeAccountStackView.addArrangedSubviews(askExistAccountLabel,
+ goToMakeNicknameBtn)
+ }
+
+
+ func setLayout() {
+
+ mainLabel.snp.makeConstraints{
+ $0.height.equalTo(37)
+ $0.top.equalTo(self.safeAreaLayoutGuide).inset(50)
+ $0.leading.trailing.equalToSuperview().inset(100)
+ }
+
+ idTextField.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainLabel.snp.bottom).offset(31)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ passwordTextField.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ logInBtn.snp.makeConstraints{
+ $0.height.equalTo(52)
+ $0.top.equalTo(passwordTextField.snp.bottom).offset(21)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+
+ idPasswordStackView.snp.makeConstraints {
+ $0.height.equalTo(25)
+ $0.top.equalTo(logInBtn.snp.bottom).offset(30)
+ $0.centerX.equalToSuperview().inset(80)
+ }
+
+ makeAccountStackView.snp.makeConstraints {
+ $0.height.equalTo(25)
+ $0.top.equalTo(idPasswordStackView.snp.bottom).offset(30)
+ $0.centerX.equalToSuperview().inset(50)
+ }
+
+ backBtn.snp.makeConstraints{
+ $0.height.equalTo(15)
+ $0.width.equalTo(8)
+ $0.top.equalTo(self.safeAreaLayoutGuide).inset(25)
+ $0.leading.equalToSuperview().inset(24)
+ }
+
+ findIdBtn.snp.makeConstraints{
+ $0.width.equalTo(70)
+ $0.height.equalTo(22)
+ }
+
+ findPasswordBtn.snp.makeConstraints{
+ $0.width.equalTo(80)
+ $0.height.equalTo(22)
+ }
+
+ askExistAccountLabel.snp.makeConstraints{
+ $0.width.equalTo(140)
+ $0.height.equalTo(22)
+ }
+
+ goToMakeNicknameBtn.snp.makeConstraints{
+ $0.width.equalTo(128)
+ $0.height.equalTo(22)
+ }
+ }
+} | Swift | ์ด๊ฑด ์ ๊ฐ ์์ฃผ ์ฌ์ฉํ๋ ๋ฐฉ์์ธ๋ฐ
addSubviews ํ ๋ ๊ฐ๋ก๋ก ๊ธธ๊ฒ ์ฐ๋๊ฒ ๋ณด๋ค ์๋ ์ฝ๋์ฒ๋ผ ์ธ๋ก๋ก ๋๋ฆฌ๋๊ฒ ๊ฐ๋
์ฑ์ ์ข๋๋ผ๊ณ ์.
๋ฌผ๋ก ์ฝ๋ ์ค์ ๋์ด๋์ง๋ง์! ๊ฐ์ ์ ํธํ๋ ์คํ์ผ์ด ์๋๊ฒ ๊ฐ์๋ฐ ์กฐ์ฌ์ค๋ .. ์ ์ํด๋ด
๋๋ค ใ
ใ
view.addSubviews(toolBarView,
titleLabelStackView,
houseImageView,
homeGroupLabel,
homeGroupCollectionView,
homeRuleView,
homeDivider,
datePickerView,
homeCalenderView,
homeWeekCalendarCollectionView,
calendarDailyTableView,
emptyHouseWorkImage) |
@@ -0,0 +1,45 @@
+//
+// WelcomeViewController.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/12.
+//
+
+import UIKit
+
+final class WelcomeViewController: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = WelcomeView()
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.goToMainBtn.addTarget(self, action: #selector(tappedGoToMainBtn), for: .touchUpInside)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ }
+}
+
+extension WelcomeViewController {
+
+ func idDataBind(idOrNick: String) {
+ mainView.welcomeLabel.text = "\(idOrNick)๋\n๋ฐ๊ฐ์์!"
+ }
+
+ @objc
+ func tappedGoToMainBtn() {
+ self.navigationController?.popToRootViewController(animated: true)
+ }
+} | Swift | ์ ๊ฐ ์ต๊ทผ์ ์๊ฐ ์์ด ๋ฒํผ ์ด๋ฒคํธ ์ฐ๊ฒฐ ํจ์ ํธ์ถ์ viewWillAppear ์ชฝ์์ ํ๋ค๊ฐ... ๋ฌธ์ ๊ฐ ์๊ฒผ๋๋ฐ
viewDidLoad์ ๋๋ฌด ์ ํด๋์
จ๋ค์ ^~^ |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ๋ ์ด์ ์์๋์ง ์๋ ํด๋์ค๋ผ๋ฉด final ํค์๋ ๋ถ์ด๋ฉด ์ข์๊ฒ ๊ฐ์์! |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ์ฌ๊ธฐ์ didSet์ ์ฌ์ฉํด์ ์ฝ๋๋ฅผ ์์ฑํ๋ฉด ์ข์๊ฑฐ ๊ฐ์์ฉ ์๋ ๋์ถฉ ์์๋ฅผ ์ ์๋๋ฐ ์ ์์ ๋ didSet์ ์ ํ์ฉํ์ง ๋ชปํด์
@meltsplit @seungchan2 ํ์ธ ๋ถํ๋๋ฆฝ๋๋ค
```Swift
public var nickName: String = โ" {
didSet {
guard let nickName = nickNameBottomSheet.nickNameTextFeild.text else { return }
self.nickName = nickName
}
}
``` |
@@ -0,0 +1,261 @@
+//
+// LoginViewController_TVING.swift
+// GO_SOPT_Seminar_Assingment
+//
+// Created by ๊น๋ค์ on 2023/04/11.
+//
+
+import UIKit
+
+import SnapKit
+import Then
+
+struct TvingUserInfo {
+ var id: String?
+ var password: String?
+ var nickName: String?
+}
+
+final class LoginViewController_TVING: BaseViewController {
+
+ // MARK: - Property
+
+ private let mainView = LoginView()
+ private let nickNameBottomSheet = AddNickNameBottomSheetUIView()
+
+ var user = TvingUserInfo()
+
+ private var bottomSheetKeyboardEnable: Bool = false
+
+ // MARK: - Target
+
+ private func target() {
+ mainView.idTextField.delegate = self
+ mainView.passwordTextField.delegate = self
+
+ mainView.idTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+ mainView.passwordTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ mainView.logInBtn.addTarget(self, action: #selector(tappedLogInBtn), for: .touchUpInside)
+ mainView.goToMakeNicknameBtn.addTarget(self, action: #selector(tappedMakeNickNameBtn), for: .touchUpInside)
+ }
+
+ private func targetBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.delegate = self
+
+ nickNameBottomSheet.nickNameTextField.addTarget(self, action: #selector(textFieldDidChange), for: .allEditingEvents)
+
+ nickNameBottomSheet.saveNickNameBtn.addTarget(self, action: #selector(tappedSavedNickNameBtn), for: .touchUpInside)
+
+ let bottomSheetBackgroundTap = UITapGestureRecognizer(target: self, action: #selector(TappedBottomSheetBackground))
+ nickNameBottomSheet.dimmendView.addGestureRecognizer(bottomSheetBackgroundTap)
+ }
+
+ // MARK: - Lift Cycle
+
+ override func loadView() {
+ self.view = mainView
+ view.addSubview(nickNameBottomSheet)
+
+ nickNameBottomSheet.snp.makeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ }
+
+ override func viewDidLoad() {
+ super.viewDidLoad()
+
+ target()
+ targetBottomSheet()
+ setKeyboardObserver() // ํค๋ณด๋ ํ์ฑํ์ ๋ฐ๋ฅธ bottomSheet ๋์ด ์กฐ์ ์ํด
+ }
+
+ override func viewWillAppear(_ animated: Bool) {
+ initView()
+ }
+
+}
+
+private extension LoginViewController_TVING {
+
+ // MARK: - objc func
+
+ @objc
+ func tappedLogInBtn() {
+ saveUserEmail()
+ let welcomViewController = WelcomeViewController()
+ welcomViewController.idDataBind(idOrNick: getNickNameOrId())
+ self.navigationController?.pushViewController(welcomViewController, animated: true)
+ }
+
+ @objc
+ func tappedMakeNickNameBtn() {
+ showBottomSheet()
+ }
+
+ @objc
+ func tappedSavedNickNameBtn() {
+ saveUserNickName()
+ hideBottomSheet()
+ }
+
+ @objc func TappedBottomSheetBackground(_ tapRecognizer: UITapGestureRecognizer) {
+ hideBottomSheet()
+ }
+
+ @objc func keyboardWillShow(notification: NSNotification) {
+ guard let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue else { return }
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - (nickNameBottomSheet.bottomSheetHeight + keyboardSize.height)
+ }
+ }
+
+ @objc func keyboardWillHide(notification: NSNotification) {
+ if (nickNameBottomSheet.nickNameTextField.isSelected){
+ bottomSheetKeyboardEnable = true
+ nickNameBottomSheet.bottomSheetView.frame.origin.y = UIScreen.main.bounds.height - nickNameBottomSheet.bottomSheetHeight
+ }
+ }
+
+ // MARK: - custom func
+
+ func saveUserEmail(){
+ guard let id = mainView.idTextField.text else { return }
+ user.id = id
+ }
+
+ func saveUserNickName() {
+ guard let nickName = nickNameBottomSheet.nickNameTextField.text else { return }
+ user.nickName = nickName
+ }
+
+ func getNickNameOrId() -> String {
+ if let nickName = user.nickName {
+ return nickName
+ } else {
+ guard let id = user.id else { return "" }
+ return id
+ }
+ }
+
+ func isIDValid() -> Bool {
+ guard let id = mainView.idTextField.text else { return false }
+ return id.isValidEmail()
+ }
+
+ func showBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = true
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.edges.equalToSuperview()
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: 0.0, width: self.view.frame.width, height: self.view.frame.height)
+ })
+ }
+
+ func hideBottomSheet() {
+ nickNameBottomSheet.nickNameTextField.isSelected = false
+ nickNameBottomSheet.snp.remakeConstraints {
+ $0.width.equalToSuperview()
+ $0.top.equalTo(view.snp.bottom)
+ }
+ UIView.animate(withDuration: 0.5, animations: {
+ self.nickNameBottomSheet.frame = CGRect(x: 0.0, y: self.view.frame.height, width: self.view.frame.width, height: self.view.frame.height)
+ }
+ )
+ }
+
+ func initView() {
+ mainView.idTextField.text = nil
+ mainView.passwordTextField.text = nil
+ nickNameBottomSheet.nickNameTextField.text = nil
+ user = TvingUserInfo()
+ mainView.logInBtn.enableDisableButtonSet(isEnable: false, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ func setKeyboardObserver() {
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
+ NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
+ }
+
+}
+
+// MARK: - TextFieldDelegate
+
+extension LoginViewController_TVING: UITextFieldDelegate {
+
+ // textField๊ฐ ํ์ฑํ๋๋ฉด
+ func textFieldDidBeginEditing(_ textField: UITextField) {
+ textField.layer.borderColor = UIColor.tvingGray2.cgColor
+ textField.layer.borderWidth = 0.7
+ }
+
+ // textField ๋นํ์ฑํ๋๋ฉด
+ func textFieldShouldEndEditing(_ textField: UITextField) -> Bool {
+ textField.layer.borderWidth = 0
+
+ idValidPrint()
+
+ return true
+ }
+
+ @objc
+ private func textFieldDidChange(_ textField: UITextField) {
+
+ if let nickNameText = nickNameBottomSheet.nickNameTextField.text {
+ if (!nickNameText.isValidNickName()) {
+ nickNameBottomSheet.nickNameTextField.text = nil
+ }
+ }
+
+ let idPwIsFull: Bool = mainView.idTextField.hasText && !mainView.passwordTextField.hasText
+ let saveIdPwBtnEnable: Bool = idPwIsFull && isIDValid()
+
+ if (saveIdPwBtnEnable) {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ mainView.logInBtn.enableDisableButtonSet(isEnable: saveIdPwBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+
+ let saveNickNameBtnEnable = !nickNameBottomSheet.nickNameTextField.hasText
+
+ if (saveNickNameBtnEnable) {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .tvingRed, setTextColor: .white)
+ }else {
+ nickNameBottomSheet.saveNickNameBtn.enableDisableButtonSet(isEnable: saveNickNameBtnEnable, setColor: .black, setTextColor: .tvingGray2)
+ }
+ }
+
+ private func idValidPrint() {
+
+ if (!(mainView.idTextField.text?.isValidEmail() ?? false) && !mainView.idTextField.hasText) {
+ mainView.idTextField.layer.borderColor = UIColor.tvingRed.cgColor
+ mainView.idTextField.layer.borderWidth = 0.7
+
+ mainView.idInvalidLabel.isHidden = false
+ mainView.idInvalidLabel.snp.remakeConstraints {
+ $0.leading.equalTo(mainView.idTextField.snp.leading)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(5)
+ }
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(30)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ } else {
+ mainView.idTextField.layer.borderWidth = 0
+
+ mainView.idInvalidLabel.isHidden = true
+
+ mainView.passwordTextField.snp.remakeConstraints {
+ $0.height.equalTo(52)
+ $0.top.equalTo(mainView.idTextField.snp.bottom).offset(7)
+ $0.leading.trailing.equalToSuperview().inset(20)
+ }
+ }
+ }
+
+} | Swift | ์ต์
๋ ์ฒ๋ฆฌ์ ๋ํด ๊ณต๋ถํ๋๊ฑด ๋ถ๋ช
๋์ค์ ์ข์ ์์ฐ์ด ๋ ๊ฑฐ์์ฌ! |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.