code
stringlengths
41
34.3k
lang
stringclasses
8 values
review
stringlengths
1
4.74k
@@ -0,0 +1,15 @@ +package config; + +import controller.UserController; +import service.UserJoinService; + +public class AppConfig { + + public static UserController userController() { + return new UserController(userJoinService()); + } + + public static UserJoinService userJoinService() { + return new UserJoinService(); + } +}
Java
AppConfig๋กœ DI๋ฅผ ์ฃผ์ž…ํ•ด์ฃผ๋ ค๋Š” ์‹œ๋„๐Ÿ‘
@@ -0,0 +1,45 @@ +package controller; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; +import service.UserJoinService; +import util.HttpRequest; +import util.HttpResponse; + +public class UserController { + private final String HTTP_GET = "GET"; + private final String JOIN_FORM = "/user/form.html"; + private final String CREATE_USER_URL = "/user/create"; + private UserJoinService userJoinService; + private Logger log = LoggerFactory.getLogger(getClass()); + + public UserController(UserJoinService userJoinService) { + this.userJoinService = userJoinService; + } + + // TODO : ์—๋ŸฌํŽ˜์ด์ง€ ์ƒ์„ฑ, ํšŒ์›๊ฐ€์ž… ๊ฒ€์ฆ + public String process(HttpRequest request, HttpResponse response) { + // GET ์š”์ฒญ์ธ ๊ฒฝ์šฐ ๋ถ„๋ฆฌ + if (request.getMethod().equals(HTTP_GET)) { + // ํšŒ์› ๊ฐ€์ž… ํผ ๋ณด์—ฌ์ฃผ๊ธฐ + if (request.getUrl().equals(JOIN_FORM)) { + return JOIN_FORM; + } + // ํšŒ์›๊ฐ€์ž…์ผ ๊ฒฝ์šฐ + if (request.getUrl().equals(CREATE_USER_URL)) { + return addUser(request.getQueryString(), response); + } + } + + return "/error"; + } + + private String addUser(String queryParameters, HttpResponse response) { + userJoinService.addUser(queryParameters); + + response.setStatus(302); + response.setHeader("Location", "/index.html"); + return response.getResponse(); + } + +}
Java
```suggestion if (request.getUrl().equals(JOIN_FORM)) { return JOIN_FORM; } ``` ๋‘ ๊ฐœ ๊ฐ’์ด ๊ฐ™์•„์„œ ์ด ์ฝ”๋“œ์™€ ๊ฐ™์€ ์˜๋ฏธ์ž…๋‹ˆ๋‹ค.
@@ -0,0 +1,45 @@ +package controller; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; +import service.UserJoinService; +import util.HttpRequest; +import util.HttpResponse; + +public class UserController { + private final String HTTP_GET = "GET"; + private final String JOIN_FORM = "/user/form.html"; + private final String CREATE_USER_URL = "/user/create"; + private UserJoinService userJoinService; + private Logger log = LoggerFactory.getLogger(getClass()); + + public UserController(UserJoinService userJoinService) { + this.userJoinService = userJoinService; + } + + // TODO : ์—๋ŸฌํŽ˜์ด์ง€ ์ƒ์„ฑ, ํšŒ์›๊ฐ€์ž… ๊ฒ€์ฆ + public String process(HttpRequest request, HttpResponse response) { + // GET ์š”์ฒญ์ธ ๊ฒฝ์šฐ ๋ถ„๋ฆฌ + if (request.getMethod().equals(HTTP_GET)) { + // ํšŒ์› ๊ฐ€์ž… ํผ ๋ณด์—ฌ์ฃผ๊ธฐ + if (request.getUrl().equals(JOIN_FORM)) { + return JOIN_FORM; + } + // ํšŒ์›๊ฐ€์ž…์ผ ๊ฒฝ์šฐ + if (request.getUrl().equals(CREATE_USER_URL)) { + return addUser(request.getQueryString(), response); + } + } + + return "/error"; + } + + private String addUser(String queryParameters, HttpResponse response) { + userJoinService.addUser(queryParameters); + + response.setStatus(302); + response.setHeader("Location", "/index.html"); + return response.getResponse(); + } + +}
Java
response ๊ตฌ์กฐ๋ฅผ ์ ๊ทน ์ฝ”๋“œ์— ๋ฐ˜์˜ํ•˜์…จ๋„ค์š”!
@@ -0,0 +1,45 @@ +package controller; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; +import service.UserJoinService; +import util.HttpRequest; +import util.HttpResponse; + +public class UserController { + private final String HTTP_GET = "GET"; + private final String JOIN_FORM = "/user/form.html"; + private final String CREATE_USER_URL = "/user/create"; + private UserJoinService userJoinService; + private Logger log = LoggerFactory.getLogger(getClass()); + + public UserController(UserJoinService userJoinService) { + this.userJoinService = userJoinService; + } + + // TODO : ์—๋ŸฌํŽ˜์ด์ง€ ์ƒ์„ฑ, ํšŒ์›๊ฐ€์ž… ๊ฒ€์ฆ + public String process(HttpRequest request, HttpResponse response) { + // GET ์š”์ฒญ์ธ ๊ฒฝ์šฐ ๋ถ„๋ฆฌ + if (request.getMethod().equals(HTTP_GET)) { + // ํšŒ์› ๊ฐ€์ž… ํผ ๋ณด์—ฌ์ฃผ๊ธฐ + if (request.getUrl().equals(JOIN_FORM)) { + return JOIN_FORM; + } + // ํšŒ์›๊ฐ€์ž…์ผ ๊ฒฝ์šฐ + if (request.getUrl().equals(CREATE_USER_URL)) { + return addUser(request.getQueryString(), response); + } + } + + return "/error"; + } + + private String addUser(String queryParameters, HttpResponse response) { + userJoinService.addUser(queryParameters); + + response.setStatus(302); + response.setHeader("Location", "/index.html"); + return response.getResponse(); + } + +}
Java
์ด ๋ถ€๋ถ„์„ ์—†์• ๊ณ  ๋ฒ”์šฉ์ ์ธ ๋ฉ”์„œ๋“œ๋กœ ๋”ฐ๋กœ ๋นผ์„œ ๋ฆฌํŒฉํ† ๋งํ•  ์ˆ˜ ์žˆ์„ ๊ฒƒ ๊ฐ™์•„์š”.
@@ -0,0 +1,56 @@ +package util; + +public class HttpRequest { + + private String method; + private String url; + private String queryString; + + public HttpRequest(String line) { + String[] splitHeader = line.split(" "); + // uriPath = ์ „์ฒด uri (์ฟผ๋ฆฌ ํŒŒ๋ผ๋ฏธํ„ฐ ๋ถ„๋ฆฌ ์ „) + String uriPath = getURIPath(splitHeader); + + // ์ฟผ๋ฆฌ ํŒŒ๋ผ๋ฏธํ„ฐ ๋ถ„๋ฆฌ ํ›„ url + this.url = getPath(uriPath); + this.method = splitHeader[0]; + this.queryString = getQueryParameters(uriPath); + } + + public String getMethod() { + return method; + } + + public String getUrl() { + return url; + } + + public String getQueryString() { + return queryString; + } + + @Override + public String toString() { + return "HttpRequest{" + + "method='" + method + '\'' + + ", url='" + url + '\'' + + ", queryString='" + queryString + '\'' + + '}'; + } + + private String getURIPath(String[] splitHeader) { + return splitHeader[1]; + } + + private String getPath(String uriPath) { + return uriPath.split("\\?")[0]; + } + + private String getQueryParameters(String uriPath) { + String[] split = uriPath.split("\\?"); + if (split.length > 1) { + return split[1]; + } + return ""; + } +}
Java
์ฟผ๋ฆฌ๋ฅผ String์œผ๋กœ ์ €์žฅํ•˜๋„๋ก ๊ตฌํ˜„ํ•˜์‹  ์ด์œ ๊ฐ€ ์žˆ๋‚˜์š”?
@@ -0,0 +1,81 @@ +package util; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import java.io.DataOutputStream; +import java.io.File; +import java.io.IOException; +import java.io.OutputStream; +import java.nio.file.Files; +import java.util.HashMap; +import java.util.Map; + +public class HttpResponse { + + private Logger log = LoggerFactory.getLogger(getClass()); + private int status; + private Map<String, String> headers = new HashMap<>(); + + public void processResponse(String path, HttpResponse response, OutputStream out) throws IOException { + String contentType = response.getContentType(path); + byte[] body = findBody(contentType, path); + DataOutputStream dos = new DataOutputStream(out); + responseHeader(dos, body.length, contentType); + responseBody(dos, body); + } + + + private void responseHeader(DataOutputStream dos, int lengthOfBodyContent, String contentType) { + try { + dos.writeBytes("HTTP/1.1 " + status + " " + getStatusCode(status) + "\r\n"); + dos.writeBytes("Content-Type: " + contentType + "\r\n"); + dos.writeBytes("Content-Length: " + lengthOfBodyContent + "\r\n"); + + for (Map.Entry<String, String> header : headers.entrySet()) { + dos.writeBytes(header.getKey() + ": " + header.getValue() + "\r\n"); + } + + dos.writeBytes("\r\n"); + } catch (IOException e) { + log.error(e.getMessage()); + } + } + + private void responseBody(DataOutputStream dos, byte[] body) { + try { + dos.write(body, 0, body.length); + dos.flush(); + } catch (IOException e) { + log.error(e.getMessage()); + } + } + + private String getContentType(String path) { + return ContentType.findContentType(path).getValue(); + } + + private byte[] findBody(String contentType, String path) throws IOException { + return Files.readAllBytes(new File(ResponseBody.findResponseBody(contentType).getPath() + path).toPath()); + } + + public void setStatus(int status) { + this.status = status; + } + + public void setHeader(String name, String value) { + headers.put(name, value); + } + + private String getStatusCode(int status) { + if (status == HttpStatus.MOVED_TEMPORARILY.getValue()) { + return HttpStatus.MOVED_TEMPORARILY.getReason(); + } + + return HttpStatus.OK.getReason(); + } + + public String getResponse() { + return headers.getOrDefault("Location", ""); + } +}
Java
path๊ฐ€ `/fonts/~` ์ด๋ ‡๊ฒŒ ์š”์ฒญ๋“ค์–ด์˜ค์ง€ ์•Š๋‚˜์š”?
@@ -0,0 +1,81 @@ +package util; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import java.io.DataOutputStream; +import java.io.File; +import java.io.IOException; +import java.io.OutputStream; +import java.nio.file.Files; +import java.util.HashMap; +import java.util.Map; + +public class HttpResponse { + + private Logger log = LoggerFactory.getLogger(getClass()); + private int status; + private Map<String, String> headers = new HashMap<>(); + + public void processResponse(String path, HttpResponse response, OutputStream out) throws IOException { + String contentType = response.getContentType(path); + byte[] body = findBody(contentType, path); + DataOutputStream dos = new DataOutputStream(out); + responseHeader(dos, body.length, contentType); + responseBody(dos, body); + } + + + private void responseHeader(DataOutputStream dos, int lengthOfBodyContent, String contentType) { + try { + dos.writeBytes("HTTP/1.1 " + status + " " + getStatusCode(status) + "\r\n"); + dos.writeBytes("Content-Type: " + contentType + "\r\n"); + dos.writeBytes("Content-Length: " + lengthOfBodyContent + "\r\n"); + + for (Map.Entry<String, String> header : headers.entrySet()) { + dos.writeBytes(header.getKey() + ": " + header.getValue() + "\r\n"); + } + + dos.writeBytes("\r\n"); + } catch (IOException e) { + log.error(e.getMessage()); + } + } + + private void responseBody(DataOutputStream dos, byte[] body) { + try { + dos.write(body, 0, body.length); + dos.flush(); + } catch (IOException e) { + log.error(e.getMessage()); + } + } + + private String getContentType(String path) { + return ContentType.findContentType(path).getValue(); + } + + private byte[] findBody(String contentType, String path) throws IOException { + return Files.readAllBytes(new File(ResponseBody.findResponseBody(contentType).getPath() + path).toPath()); + } + + public void setStatus(int status) { + this.status = status; + } + + public void setHeader(String name, String value) { + headers.put(name, value); + } + + private String getStatusCode(int status) { + if (status == HttpStatus.MOVED_TEMPORARILY.getValue()) { + return HttpStatus.MOVED_TEMPORARILY.getReason(); + } + + return HttpStatus.OK.getReason(); + } + + public String getResponse() { + return headers.getOrDefault("Location", ""); + } +}
Java
status์™€ header๋กœ ๋‚˜๋ˆ„์–ด ์ €์žฅํ•˜๋Š” ๊ฒƒ ์ข‹๋„ค์š”!!
@@ -0,0 +1,81 @@ +package util; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import java.io.DataOutputStream; +import java.io.File; +import java.io.IOException; +import java.io.OutputStream; +import java.nio.file.Files; +import java.util.HashMap; +import java.util.Map; + +public class HttpResponse { + + private Logger log = LoggerFactory.getLogger(getClass()); + private int status; + private Map<String, String> headers = new HashMap<>(); + + public void processResponse(String path, HttpResponse response, OutputStream out) throws IOException { + String contentType = response.getContentType(path); + byte[] body = findBody(contentType, path); + DataOutputStream dos = new DataOutputStream(out); + responseHeader(dos, body.length, contentType); + responseBody(dos, body); + } + + + private void responseHeader(DataOutputStream dos, int lengthOfBodyContent, String contentType) { + try { + dos.writeBytes("HTTP/1.1 " + status + " " + getStatusCode(status) + "\r\n"); + dos.writeBytes("Content-Type: " + contentType + "\r\n"); + dos.writeBytes("Content-Length: " + lengthOfBodyContent + "\r\n"); + + for (Map.Entry<String, String> header : headers.entrySet()) { + dos.writeBytes(header.getKey() + ": " + header.getValue() + "\r\n"); + } + + dos.writeBytes("\r\n"); + } catch (IOException e) { + log.error(e.getMessage()); + } + } + + private void responseBody(DataOutputStream dos, byte[] body) { + try { + dos.write(body, 0, body.length); + dos.flush(); + } catch (IOException e) { + log.error(e.getMessage()); + } + } + + private String getContentType(String path) { + return ContentType.findContentType(path).getValue(); + } + + private byte[] findBody(String contentType, String path) throws IOException { + return Files.readAllBytes(new File(ResponseBody.findResponseBody(contentType).getPath() + path).toPath()); + } + + public void setStatus(int status) { + this.status = status; + } + + public void setHeader(String name, String value) { + headers.put(name, value); + } + + private String getStatusCode(int status) { + if (status == HttpStatus.MOVED_TEMPORARILY.getValue()) { + return HttpStatus.MOVED_TEMPORARILY.getReason(); + } + + return HttpStatus.OK.getReason(); + } + + public String getResponse() { + return headers.getOrDefault("Location", ""); + } +}
Java
์ด ํด๋ž˜์Šค์—์„œ ์ „์ฒด์ ์œผ๋กœ ์ œ๊ฐ€ ๊ตฌํ˜„ํ•˜๊ณ  ์‹ถ์€ ๋ถ€๋ถ„๋“ค์„ ์ž˜ ๋‚˜๋ˆ„์–ด์ฃผ์‹ ๊ฒƒ ๊ฐ™์•„์š”! ๋งŽ์ด ๋ฐฐ์› ์Šต๋‹ˆ๋‹ค
@@ -0,0 +1,81 @@ +package util; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import java.io.DataOutputStream; +import java.io.File; +import java.io.IOException; +import java.io.OutputStream; +import java.nio.file.Files; +import java.util.HashMap; +import java.util.Map; + +public class HttpResponse { + + private Logger log = LoggerFactory.getLogger(getClass()); + private int status; + private Map<String, String> headers = new HashMap<>(); + + public void processResponse(String path, HttpResponse response, OutputStream out) throws IOException { + String contentType = response.getContentType(path); + byte[] body = findBody(contentType, path); + DataOutputStream dos = new DataOutputStream(out); + responseHeader(dos, body.length, contentType); + responseBody(dos, body); + } + + + private void responseHeader(DataOutputStream dos, int lengthOfBodyContent, String contentType) { + try { + dos.writeBytes("HTTP/1.1 " + status + " " + getStatusCode(status) + "\r\n"); + dos.writeBytes("Content-Type: " + contentType + "\r\n"); + dos.writeBytes("Content-Length: " + lengthOfBodyContent + "\r\n"); + + for (Map.Entry<String, String> header : headers.entrySet()) { + dos.writeBytes(header.getKey() + ": " + header.getValue() + "\r\n"); + } + + dos.writeBytes("\r\n"); + } catch (IOException e) { + log.error(e.getMessage()); + } + } + + private void responseBody(DataOutputStream dos, byte[] body) { + try { + dos.write(body, 0, body.length); + dos.flush(); + } catch (IOException e) { + log.error(e.getMessage()); + } + } + + private String getContentType(String path) { + return ContentType.findContentType(path).getValue(); + } + + private byte[] findBody(String contentType, String path) throws IOException { + return Files.readAllBytes(new File(ResponseBody.findResponseBody(contentType).getPath() + path).toPath()); + } + + public void setStatus(int status) { + this.status = status; + } + + public void setHeader(String name, String value) { + headers.put(name, value); + } + + private String getStatusCode(int status) { + if (status == HttpStatus.MOVED_TEMPORARILY.getValue()) { + return HttpStatus.MOVED_TEMPORARILY.getReason(); + } + + return HttpStatus.OK.getReason(); + } + + public String getResponse() { + return headers.getOrDefault("Location", ""); + } +}
Java
`headers` ๋ฅผ ์ด์šฉํ•ด์„œ ๋” ๋ฆฌํŒฉํ† ๋ง ํ•  ์ˆ˜ ์žˆ์„ ๊ฒƒ ๊ฐ™์•„์š”.
@@ -0,0 +1,56 @@ +package util; + +public class HttpRequest { + + private String method; + private String url; + private String queryString; + + public HttpRequest(String line) { + String[] splitHeader = line.split(" "); + // uriPath = ์ „์ฒด uri (์ฟผ๋ฆฌ ํŒŒ๋ผ๋ฏธํ„ฐ ๋ถ„๋ฆฌ ์ „) + String uriPath = getURIPath(splitHeader); + + // ์ฟผ๋ฆฌ ํŒŒ๋ผ๋ฏธํ„ฐ ๋ถ„๋ฆฌ ํ›„ url + this.url = getPath(uriPath); + this.method = splitHeader[0]; + this.queryString = getQueryParameters(uriPath); + } + + public String getMethod() { + return method; + } + + public String getUrl() { + return url; + } + + public String getQueryString() { + return queryString; + } + + @Override + public String toString() { + return "HttpRequest{" + + "method='" + method + '\'' + + ", url='" + url + '\'' + + ", queryString='" + queryString + '\'' + + '}'; + } + + private String getURIPath(String[] splitHeader) { + return splitHeader[1]; + } + + private String getPath(String uriPath) { + return uriPath.split("\\?")[0]; + } + + private String getQueryParameters(String uriPath) { + String[] split = uriPath.split("\\?"); + if (split.length > 1) { + return split[1]; + } + return ""; + } +}
Java
inline์œผ๋กœ ์ค„์—ฌ๋ณด๋Š” ๊ฑด์–ด๋–จ๊นŒ์š”? ์˜๋ฏธ๋ฅผ ๋“œ๋Ÿฌ๋‚ด๋Š” ์ง€์—ญ๋ณ€์ˆ˜๊ฐ€ ์•„๋‹ˆ๋ผ๋ฉด ์ƒ๋žตํ•˜๋Š” ํŽธ์ด ๊น”๋”ํ•œ ๊ฑฐ๊ฐ™์•„์š”.
@@ -0,0 +1,45 @@ +package controller; + +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; +import service.UserJoinService; +import util.HttpRequest; +import util.HttpResponse; + +public class UserController { + private final String HTTP_GET = "GET"; + private final String JOIN_FORM = "/user/form.html"; + private final String CREATE_USER_URL = "/user/create"; + private UserJoinService userJoinService; + private Logger log = LoggerFactory.getLogger(getClass()); + + public UserController(UserJoinService userJoinService) { + this.userJoinService = userJoinService; + } + + // TODO : ์—๋ŸฌํŽ˜์ด์ง€ ์ƒ์„ฑ, ํšŒ์›๊ฐ€์ž… ๊ฒ€์ฆ + public String process(HttpRequest request, HttpResponse response) { + // GET ์š”์ฒญ์ธ ๊ฒฝ์šฐ ๋ถ„๋ฆฌ + if (request.getMethod().equals(HTTP_GET)) { + // ํšŒ์› ๊ฐ€์ž… ํผ ๋ณด์—ฌ์ฃผ๊ธฐ + if (request.getUrl().equals(JOIN_FORM)) { + return JOIN_FORM; + } + // ํšŒ์›๊ฐ€์ž…์ผ ๊ฒฝ์šฐ + if (request.getUrl().equals(CREATE_USER_URL)) { + return addUser(request.getQueryString(), response); + } + } + + return "/error"; + } + + private String addUser(String queryParameters, HttpResponse response) { + userJoinService.addUser(queryParameters); + + response.setStatus(302); + response.setHeader("Location", "/index.html"); + return response.getResponse(); + } + +}
Java
์ƒ์ˆ˜๊ฐ€ ๋งŽ์•„์ง€๋ฉด ์ข€ ํ—ท๊ฐˆ๋ฆด๊ฑฐ๊ฐ™์•„์„œ, ์‹œ๊ทธ๋‹ˆ์ฒ˜์— ๊ทœ์น™๊ฐ™์€๊ฒŒ ์žˆ์œผ๋ฉด ์ข‹๊ฒ ๋„ค์š”
@@ -29,14 +29,14 @@ public Game findMatchTypeById(Integer matchId) { "FROM matches WHERE id = ?"; return jdbcTemplate.queryForObject(SQL, new Object[]{matchId}, (rs, rowNum) -> Game.builder() - .id(rs.getInt("id")) - .awayTeam(rs.getInt("away_team")) - .homeTeam(rs.getInt("home_team")) - .awayUser(rs.getInt("away_user")) - .homeUser(rs.getInt("home_user")) - .inning(rs.getInt("inning")) - .isFirsthalf(rs.getBoolean("is_firsthalf")) - .build()); + .id(rs.getInt("id")) + .awayTeam(rs.getInt("away_team")) + .homeTeam(rs.getInt("home_team")) + .awayUser(rs.getInt("away_user")) + .homeUser(rs.getInt("home_user")) + .inning(rs.getInt("inning")) + .isFirsthalf(rs.getBoolean("is_firsthalf")) + .build()); } public Game findGameById(Integer gameId) { @@ -58,10 +58,10 @@ public Integer insertNewGame(Game matchType) { String SQL = "INSERT INTO game (away_team, home_Team, inning, is_firsthalf) " + "VALUES (:awayTeam, :homeTeam, :inning, :isFirsthalf)"; SqlParameterSource namedParameters = new MapSqlParameterSource() - .addValue("awayTeam", matchType.getAwayTeam()) - .addValue("homeTeam", matchType.getHomeTeam()) - .addValue("inning", matchType.getInning()) - .addValue("isFirsthalf", matchType.isFirsthalf()); + .addValue("awayTeam", matchType.getAwayTeam()) + .addValue("homeTeam", matchType.getHomeTeam()) + .addValue("inning", matchType.getInning()) + .addValue("isFirsthalf", matchType.isFirsthalf()); KeyHolder keyHolder = new GeneratedKeyHolder(); Integer generatedGameId = namedParameterJdbcTemplate.update(SQL, namedParameters, keyHolder, new String[]{"generatedGameId"}); return keyHolder.getKey().intValue(); @@ -75,11 +75,11 @@ public List<Integer> findAllGameIds() { public List<Game> findAllMatches() { String SQL = "SELECT id, away_team, home_team, away_user, home_user FROM matches"; return jdbcTemplate.query(SQL, (rs, rowNum) -> Game.builder() - .id(rs.getInt("id")) - .awayTeam(rs.getInt("away_team")) - .homeTeam(rs.getInt("home_team")) - .awayUser(rs.getInt("away_user")) - .homeUser(rs.getInt("home_user")) - .build()); + .id(rs.getInt("id")) + .awayTeam(rs.getInt("away_team")) + .homeTeam(rs.getInt("home_team")) + .awayUser(rs.getInt("away_user")) + .homeUser(rs.getInt("home_user")) + .build()); } }
Java
์กฐ๊ธˆ์ด๋ผ๋„ ๋” ๋ณด๊ธฐ์ข‹์€ ์ฝ”๋“œ๋ฅผ ์ž‘์„ฑํ•˜๊ธฐ ์œ„ํ•œ ๋…ธ๋ ฅ์ธ๊ฐ€์š”. ๐Ÿ‘
@@ -1,13 +1,16 @@ package kr.codesquad.baseball.dto; -import lombok.AllArgsConstructor; import lombok.Getter; -import lombok.NoArgsConstructor; import lombok.Setter; @Getter @Setter -@AllArgsConstructor @NoArgsConstructor public class GameInitializingRequestDto { private Integer matchId; + + public GameInitializingRequestDto() {} + + public GameInitializingRequestDto(Integer matchId) { + this.matchId = matchId; + } }
Java
Lombok ์‚ฌ์šฉ์— ๋Œ€ํ•ด์„œ ์กฐ๊ธˆ ๊บผ๋ ค์ง€์‹œ๋Š” ๋ฉด์ด ์žˆ๋Š” ๊ฒƒ ๊ฐ™์€๋ฐ lombok ์ด์ œ ์“ฐ์…”๋„ ๊ดœ์ฐฎ์•„์š”. ๋‹ค๋งŒ ๊ณตํ†ต์ ์œผ๋กœ ์ฃผ์˜ํ•ด์•ผ ํ•  ์‚ฌํ•ญ๋“ค์ด ์žˆ๋Š”๋ฐ, ์•„๋ž˜ ๋งํฌ๋ฅผ ์ฐธ๊ณ ํ•ด ์ฃผ์„ธ์š”. https://kwonnam.pe.kr/wiki/java/lombok/pitfall
@@ -1,13 +1,10 @@ package kr.codesquad.baseball.dto.teamVO; import com.fasterxml.jackson.annotation.JsonIgnore; -import com.fasterxml.jackson.annotation.JsonProperty; -import lombok.AllArgsConstructor; import lombok.Getter; import lombok.Setter; @Getter @Setter -@AllArgsConstructor public class TeamVO { @JsonIgnore @@ -19,4 +16,13 @@ public class TeamVO { @JsonIgnore private int score; + + public TeamVO() {} + + public TeamVO(Integer teamId, String teamName, int totalScore, int score) { + this.teamId = teamId; + this.teamName = teamName; + this.totalScore = totalScore; + this.score = score; + } }
Java
`VO`, `DTO`, ๊ทธ๋ฆฌ๊ณ  ๋ชจ๋ธ ํด๋ž˜์Šค๋ฅผ ์–ด๋–ค ๊ธฐ์ค€์œผ๋กœ ๊ตฌ๋ถ„ํ•˜์…จ๋‚˜์š”?
@@ -1,13 +1,16 @@ package kr.codesquad.baseball.dto; -import lombok.AllArgsConstructor; import lombok.Getter; -import lombok.NoArgsConstructor; import lombok.Setter; @Getter @Setter -@AllArgsConstructor @NoArgsConstructor public class GameInitializingRequestDto { private Integer matchId; + + public GameInitializingRequestDto() {} + + public GameInitializingRequestDto(Integer matchId) { + this.matchId = matchId; + } }
Java
์ด์ „๋ถ€ํ„ฐ ๋กฌ๋ณต์„ ์•„๋ฌด ์ƒ๊ฐ ์—†์ด ๊ธฐ๊ณ„์ ์œผ๋กœ ์‚ฌ์šฉ ํ–ˆ๋˜๊ฑฐ ๊ฐ™์Šต๋‹ˆ๋‹ค. ์ง€๋‚œ ํ”„๋กœ์ ํŠธ์— ๋นŒ๋”๋ฅผ ์จ๋ณด๋ฉด์„œ ๋”๋”์šฑ ๋กฌ๋ณต ์—†์ด ๊ตฌํ˜„์„ ํ•ด๋ด์•ผ๊ฒ ๋‹ค๋Š” ์ƒ๊ฐ์ด ๋“ค์–ด์„œ ํŽ˜์–ด์—๊ฒŒ ์“ฐ์ง€ ๋ง์ž๊ณ  ์ œ์•ˆํ–ˆ๊ณ , ์ด๋ฒˆ ํ”„๋กœ์ ํŠธ์—๋Š” ํด๋ž˜์Šค์— ๋นŒ๋”๋ฅผ ์ง์ ‘ ๋งŒ๋“ค์–ด๋ณด๊ณ  ์žˆ๋Š”๋ฐ ๊ณต๋ถ€๊ฐ€ ๋งŽ์ด ๋˜๊ณ  ์žˆ๋„ค์š”. ์•Œ๋ ค์ฃผ์‹  ์ฃผ์˜์‚ฌํ•ญ ๋งํฌ๋„ ์ฝ์–ด ๋ดค๋Š”๋ฐ ๋ชจ๋ฅด๊ณ  ์“ด๊ฒŒ ์ฐธ ๋งŽ์•˜๋‹ค๋Š” ์ƒ๊ฐ์ด ๋“œ๋„ค์š”! ๋‹ค์Œ ํ”„๋กœ์ ํŠธ๋ถ€ํ„ฐ ์œ ์˜ํ•˜๋ฉฐ ์‚ฌ์šฉ ํ•˜๊ฒ ์Šต๋‹ˆ๋‹ค. ์กฐ์–ธ ํ•ด์ฃผ์…”์„œ ๊ฐ์‚ฌํ•ฉ๋‹ˆ๋‹ค.
@@ -1,13 +1,10 @@ package kr.codesquad.baseball.dto.teamVO; import com.fasterxml.jackson.annotation.JsonIgnore; -import com.fasterxml.jackson.annotation.JsonProperty; -import lombok.AllArgsConstructor; import lombok.Getter; import lombok.Setter; @Getter @Setter -@AllArgsConstructor public class TeamVO { @JsonIgnore @@ -19,4 +16,13 @@ public class TeamVO { @JsonIgnore private int score; + + public TeamVO() {} + + public TeamVO(Integer teamId, String teamName, int totalScore, int score) { + this.teamId = teamId; + this.teamName = teamName; + this.totalScore = totalScore; + this.score = score; + } }
Java
๋ชจ๋ธ ํด๋ž˜์Šค๋Š” DB์˜ ์—”ํ„ฐํ‹ฐ์™€ ์ง์ ‘ ๋Œ€์‘๋˜๋Š” ํด๋ž˜์Šค๋ผ ์ƒ๊ฐ ํ–ˆ๊ณ , VO๋Š” DB์˜ ์—ฌ๋Ÿฌ ์—”ํ„ฐํ‹ฐ ๋ฐ์ดํ„ฐ๋ฅผ DTO์— ์•Œ๋งž๊ฒŒ ๊ฐ€๊ณตํ•œ ์ตœ์†Œ ๋‹จ์œ„(DTO์˜ ๋ถ€๋ถ„ ์ง‘ํ•ฉ), DTO๋Š” ํด๋ผ์ด์–ธํŠธ์™€ ํ†ต์‹ ์„ ํ•˜๋Š” ์ ‘์ ์—์„œ ์‚ฌ์šฉ๋˜๋Š” ์ตœ์ข… ๋ฐ์ดํ„ฐ ํด๋ž˜์Šค๋ผ๋Š” ๊ธฐ์ค€์„ ์„ธ์šฐ๊ณ  ์‚ฌ์šฉ์„ ํ–ˆ์—ˆ์Šต๋‹ˆ๋‹ค. ๋ฐฑ์—”๋“œ ์š”๊ตฌ ์‚ฌํ•ญ์ธ(์˜ต์…˜) ํŒ€, ์„ ์ˆ˜ ๋ฐ์ดํ„ฐ ๊ด€๋ฆฌ ํˆด์„ ์—ผ๋‘์— ๋‘๊ณ  ๋ถ„๋ฅ˜๋ฅผ ํ–ˆ๋˜๊ฑด๋ฐ, ๋กœ์ง์ด ๋ณต์žกํ•ด์ง€๋‹ค ๋ณด๋‹ˆ VO์™€ ๋ชจ๋ธ ์‚ฌ์ด์˜ ๊ฒฝ๊ณ„๊ฐ€ ๋งŽ์ด ๋ชจํ˜ธํ•ด์ง„๊ฑฐ ๊ฐ™์Šต๋‹ˆ๋‹คใ…œใ…œ ์ด๋Ÿฐ ๊ฒฝ์šฐ์— VO๋ผ๋Š” ์•ฝ์–ด๋ฅผ ์‚ฌ์šฉํ•˜๋Š”๊ฒŒ ๋งž๋Š”๊ฑด์ง€ ์• ๋งคํ•œ ์ ์ด ์žˆ์—ˆ๋Š”๋ฐ, ์•„๋ฌด๋ž˜๋„ ๋” ๊ณต๋ถ€ํ•˜๊ณ  ์ƒ๊ฐ์„ ํ•ด๋ด์•ผ ํ• ๊ฑฐ ๊ฐ™์Šต๋‹ˆ๋‹ค. ์กฐ์–ธ ํ•ด์ฃผ์‹  ๊ฒƒ์ฒ˜๋Ÿผ ํ•™์Šต์„ ๋” ํ•ด๋ณด๊ฒ ์Šต๋‹ˆ๋‹ค!
@@ -0,0 +1,48 @@ +/* http://meyerweb.com/eric/tools/css/reset/ + v2.0 | 20110126 + License: none (public domain) +*/ + +html, body, div, span, applet, object, iframe, +h1, h2, h3, h4, h5, h6, p, blockquote, pre, +a, abbr, acronym, address, big, cite, code, +del, dfn, em, img, ins, kbd, q, s, samp, +small, strike, strong, sub, sup, tt, var, +b, u, i, center, +dl, dt, dd, ol, ul, li, +fieldset, form, label, legend, +table, caption, tbody, tfoot, thead, tr, th, td, +article, aside, canvas, details, embed, +figure, figcaption, footer, header, hgroup, +menu, nav, output, ruby, section, summary, +time, mark, audio, video { + margin: 0; + padding: 0; + border: 0; + font-size: 100%; + font: inherit; + vertical-align: baseline; +} +/* HTML5 display-role reset for older browsers */ +article, aside, details, figcaption, figure, +footer, header, hgroup, menu, nav, section { + display: block; +} +body { + line-height: 1; +} +ol, ul { + list-style: none; +} +blockquote, q { + quotes: none; +} +blockquote:before, blockquote:after, +q:before, q:after { + content: ''; + content: none; +} +table { + border-collapse: collapse; + border-spacing: 0; +}
Unknown
css ๋ฆฌ์…‹ ์žŠ๊ณ  ์žˆ์—ˆ๋Š”๋ฐ ๋ฆฌ๋งˆ์ธ๋“œํ•˜๊ณ  ๊ฐ‘๋‹ˆ๋‹ค!
@@ -1,9 +1,10 @@ import { useState } from "react"; -import Input from "../components/Input"; import InputBox from "../components/InputBox"; -import validation from "../utils/validation"; +import InputCheckBox from "../components/InputCheckBox"; +import validateFormInfos from "../utils/validation"; import checking from "../utils/checking"; import { useNavigate } from "react-router-dom"; +import './Signup.css'; function Signup() { const [infos, setInfos] = useState({ @@ -14,8 +15,8 @@ function Signup() { userName: "", recommender: "", allTerms: false, - term1: false, - term2: false, + term: false, + privacy: false, marketing: false }); @@ -38,7 +39,7 @@ function Signup() { const checkedList = ["email", "phone", "userName", "recommender"] const {id, value} = e.currentTarget; setInfos({...infos, [id]: value}); - if (validationList.includes(id) && !validation({id, value, isValidInfos, setIsValidInfos})) { + if (validationList.includes(id) && !validateFormInfos({id, value, isValidInfos, setIsValidInfos})) { if (checkedList.includes(id)) setIsCheckedInfos({...isCheckedInfos, [id]: false}) return; @@ -49,153 +50,166 @@ function Signup() { checking({id, value, isCheckedInfos, setIsCheckedInfos}) } - const handleChangeInputBox = (e : React.FormEvent<HTMLInputElement>) => { + const handleChangeInputCheckBox = (e : React.FormEvent<HTMLInputElement>) => { const {id, checked} = e.currentTarget; if (id === "allTerms") { - setInfos({...infos, allTerms: checked, term1: checked, term2: checked, marketing: checked}); + setInfos({...infos, allTerms: checked, term: checked, privacy: checked, marketing: checked}); } else { setInfos({...infos, [id]: checked}) if (!checked) { setInfos({...infos, [id]: false, allTerms: false}) - } else if ((infos.term1 && infos.term2) || (infos.term2 && infos.marketing) || (infos.term1 && infos.marketing)) { + } else if ((infos.term && infos.privacy) || (infos.privacy && infos.marketing) || (infos.term && infos.marketing)) { setInfos({...infos, [id]: true, allTerms: true}) } } } const navigate = useNavigate(); - const handleSubmit = (e : any) => { + const handleSubmit = (e : React.FormEvent<HTMLFormElement>) => { e.preventDefault(); navigate("/greeting"); } return( - <form onSubmit={handleSubmit}> - <div> + <div className="signup"> + <div className="signup__title"> + ํšŒ์›๊ฐ€์ž… + </div> + <div className="signup__msg"> * ํ‘œ์‹œ๋œ ํ•ญ๋ชฉ์€ ํ•„์ˆ˜๋กœ ์ž…๋ ฅํ•ด์•ผํ•ฉ๋‹ˆ๋‹ค </div> - <div> - ์ด๋ฉ”์ผ* - <div> - <Input + <form className="signup__form" onSubmit={handleSubmit}> + <div className="signup__form__content"> + <InputBox type="text" id="email" value={infos.email} onChange={handleChange} + label="์ด๋ฉ”์ผ" + required={true} /> - {isValidInfos.email ? isCheckedInfos.email ? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค" : "์ด๋ฏธ ์‚ฌ์šฉ์ค‘์ธ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค" : "์œ ํšจํ•˜์ง€ ์•Š์€ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isValidInfos.email ? isCheckedInfos.email ? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค" : "์ด๋ฏธ ์‚ฌ์šฉ์ค‘์ธ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค" : "์œ ํšจํ•˜์ง€ ์•Š์€ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค"} + </div> </div> - </div> - <div> - ์ „ํ™”๋ฒˆํ˜ธ* - <div> - <Input + <div className="signup__form__content"> + <InputBox type="text" id="phone" value={infos.phone} onChange={handleChange} + label="์ „ํ™”๋ฒˆํ˜ธ" + required={true} /> - {isValidInfos.phone ? isCheckedInfos.phone? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค" : "์ด๋ฏธ ์‚ฌ์šฉ์ค‘์ธ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค" : "์œ ํšจํ•˜์ง€ ์•Š์€ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isValidInfos.phone ? isCheckedInfos.phone? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค" : "์ด๋ฏธ ์‚ฌ์šฉ์ค‘์ธ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค" : "์œ ํšจํ•˜์ง€ ์•Š์€ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค"} + </div> </div> - </div> - <div> - ๋น„๋ฐ€๋ฒˆํ˜ธ* (๋น„๋ฐ€๋ฒˆํ˜ธ๋Š” 8์ž ์ด์ƒ, ์˜๋ฌธ ๋Œ€,์†Œ๋ฌธ์ž, ์ˆซ์ž๋ฅผ ํฌํ•จํ•ด์•ผํ•ฉ๋‹ˆ๋‹ค) - <div> - <Input + <div className="signup__form__content"> + <InputBox type="password" id="password" value={infos.password} onChange={handleChange} + label="๋น„๋ฐ€๋ฒˆํ˜ธ(๋น„๋ฐ€๋ฒˆํ˜ธ๋Š” 8์ž ์ด์ƒ, ์˜๋ฌธ ๋Œ€,์†Œ๋ฌธ์ž, ์ˆซ์ž๋ฅผ ํฌํ•จํ•ด์•ผํ•ฉ๋‹ˆ๋‹ค)" + required={true} /> - {isValidInfos.password ? "" : "๋น„๋ฐ€๋ฒˆํ˜ธ ํ˜•์‹์— ๋งž์ง€ ์•Š์Šต๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isValidInfos.password ? "" : "๋น„๋ฐ€๋ฒˆํ˜ธ ํ˜•์‹์— ๋งž์ง€ ์•Š์Šต๋‹ˆ๋‹ค"} + </div> </div> - ๋น„๋ฐ€๋ฒˆํ˜ธ ํ™•์ธ* - <div> - <Input + <div className="signup__form__content"> + <InputBox type="password" id="repassword" value={infos.repassword} onChange={handleChange} + label="๋น„๋ฐ€๋ฒˆํ˜ธ ํ™•์ธ" + required={true} /> - {isCheckedInfos.password ? "" : "๋น„๋ฐ€๋ฒˆํ˜ธ๊ฐ€ ์ผ์น˜ํ•˜์ง€ ์•Š์Šต๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isCheckedInfos.password ? "" : "๋น„๋ฐ€๋ฒˆํ˜ธ๊ฐ€ ์ผ์น˜ํ•˜์ง€ ์•Š์Šต๋‹ˆ๋‹ค"} + </div> </div> - </div> - <div> - ์œ ์ €๋„ค์ž„* - <div> - <Input + <div className="signup__form__content"> + <InputBox type="text" id="userName" value={infos.userName} onChange={handleChange} + label="์œ ์ €๋„ค์ž„" + required={true} /> - {isCheckedInfos.userName ? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์œ ์ €๋„ค์ž„์ž…๋‹ˆ๋‹ค" : "์‚ฌ์šฉ์ค‘์ธ ์œ ์ €๋„ค์ž„์ž…๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isCheckedInfos.userName ? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์œ ์ €๋„ค์ž„์ž…๋‹ˆ๋‹ค" : "์‚ฌ์šฉ์ค‘์ธ ์œ ์ €๋„ค์ž„์ž…๋‹ˆ๋‹ค"} + </div> </div> - </div> - <div> - ์ถ”์ฒœ์ธ ์œ ์ €๋„ค์ž„ - <div> - <Input + <div className="signup__form__content"> + <InputBox type="text" id="recommender" value={infos.recommender} onChange={handleChange} + label="์ถ”์ฒœ์ธ ์œ ์ €๋„ค์ž„" + required={false} /> - {infos.recommender && (isCheckedInfos.recommender ? "์ถ”์ฒœ์ธ์ด ํ™•์ธ๋˜์—ˆ์Šต๋‹ˆ๋‹ค" : "์ถ”์ฒœ์ธ์ด ํ™•์ธ๋˜์ง€ ์•Š์•˜์Šต๋‹ˆ๋‹ค")} - </div> - </div> - <div> - ์•ฝ๊ด€ ๋ฐ ๋งˆ์ผ“ํŒ… ๋™์˜ - <div> - ๋ชจ๋‘ ๋™์˜ - <InputBox - id="allTerms" - checked={infos.allTerms} - onChange={handleChangeInputBox} - /> - - </div> - <div> - ์•ฝ๊ด€ 1* - <InputBox - id="term1" - checked={infos.term1} - onChange={handleChangeInputBox} - /> + <div className="signup__form__content__msg"> + {infos.recommender && (isCheckedInfos.recommender ? "์ถ”์ฒœ์ธ์ด ํ™•์ธ๋˜์—ˆ์Šต๋‹ˆ๋‹ค" : "์ถ”์ฒœ์ธ์ด ํ™•์ธ๋˜์ง€ ์•Š์•˜์Šต๋‹ˆ๋‹ค")} + </div> </div> - <div> - ์•ฝ๊ด€2* - <InputBox - id="term2" - checked={infos.term2} - onChange={handleChangeInputBox} - /> + <div className="signup__form__checkbox"> + <div className="signup__form__checkbox__title"> + ์•ฝ๊ด€ ๋ฐ ๋งˆ์ผ€ํŒ… ๋™์˜ + </div> + <div> + <InputCheckBox + id="allTerms" + checked={infos.allTerms} + onChange={handleChangeInputCheckBox} + label="๋ชจ๋‘ ๋™์˜" + required={false} + /> + <InputCheckBox + id="term" + checked={infos.term} + onChange={handleChangeInputCheckBox} + label="์•ฝ๊ด€" + required={true} + /> + <InputCheckBox + id="privacy" + checked={infos.privacy} + onChange={handleChangeInputCheckBox} + label="๊ฐœ์ธ์ •๋ณดํ™œ์šฉ๋™์˜" + required={true} + /> + <InputCheckBox + id="marketing" + checked={infos.marketing} + onChange={handleChangeInputCheckBox} + label="๋งˆ์ผ€ํŒ…๋™์˜" + required={false} + /> + </div> </div> - <div> - ๋งˆ์ผ“ํŒ…๋™์˜ - <InputBox - id="marketing" - checked={infos.marketing} - onChange={handleChangeInputBox} + <div className="signup__form__submit"> + <input + className="signup__form__submit__input" + type="submit" + value="์ œ์ถœ" + disabled={ + isCheckedInfos.email && isCheckedInfos.phone + && isValidInfos.password && isCheckedInfos.password + && isCheckedInfos.userName + && ((infos.recommender && isCheckedInfos.recommender) || !infos.recommender) + && infos.term && infos.privacy + ? false : true + } /> </div> - </div> - <div> - <input - type="submit" - value="์ œ์ถœ" - disabled={ - isCheckedInfos.email && isCheckedInfos.phone - && isValidInfos.password && isCheckedInfos.password - && isCheckedInfos.userName - && ((infos.recommender && isCheckedInfos.recommender) || !infos.recommender) - && infos.term1 && infos.term2 - ? false : true - } - /> - </div> - </form> + </form> + </div> ) }
Unknown
๋ณ€์ˆ˜๋ช… ๋ฐ”๊พธ์‹  ๊ฑฐ ๊ตฟ๊ตฟ
@@ -1,19 +1,28 @@ +import './InputBox.css'; + type InputBoxProps = { + type: string; id: string; - checked: boolean; - onChange: any; + value: string; + onChange: (e : React.FormEvent<HTMLInputElement>) => void; + label: string; + required: boolean; } -const InputBox = ({id, checked, onChange}: InputBoxProps) => { +const InputBox = ({type, id, value, onChange, label, required}: InputBoxProps) => { return ( - <> + <div className='inputBox'> + <div className={required ? 'inputBox__title inputBox__title__required' : 'inputBox__title'}> + {label}{required && '*'} + </div> <input - type="checkbox" + className='inputBox__input' + type={type} id={id} - checked={checked} + value={value} onChange={onChange} /> - </> + </div> ) }
Unknown
์ปดํฌ๋„ŒํŠธ ์ด๋ฆ„์ด InputBox๋‹ˆ๊นŒ checkbox์šฉ input ์š”์†Œ๋ฅผ ์œ„ํ•œ ์ปดํฌ๋„ŒํŠธ ๊ฐ™์€๋ฐ, type props๋ฅผ ์ถ”๊ฐ€ํ•˜๊ณ  checked ์†์„ฑ ๋Œ€์‹  value ์†์„ฑ์œผ๋กœ ๋ณ€๊ฒฝํ•˜์‹  ์ด์œ ๊ฐ€ ์žˆ์„๊นŒ์š”?
@@ -1,19 +1,28 @@ +import './InputBox.css'; + type InputBoxProps = { + type: string; id: string; - checked: boolean; - onChange: any; + value: string; + onChange: (e : React.FormEvent<HTMLInputElement>) => void; + label: string; + required: boolean; } -const InputBox = ({id, checked, onChange}: InputBoxProps) => { +const InputBox = ({type, id, value, onChange, label, required}: InputBoxProps) => { return ( - <> + <div className='inputBox'> + <div className={required ? 'inputBox__title inputBox__title__required' : 'inputBox__title'}> + {label}{required && '*'} + </div> <input - type="checkbox" + className='inputBox__input' + type={type} id={id} - checked={checked} + value={value} onChange={onChange} /> - </> + </div> ) }
Unknown
์•„! ๋ฐ‘์— InputCheckBox๊ฐ€ ๋”ฐ๋กœ ์žˆ๊ณ  ์›๋ž˜์˜ Input์ด InputBox๋กœ ๋ณ€๊ฒฝ๋œ๊ฑฐ์˜€๊ตฐ์š”. ์ €๋Š” ์ˆ˜์ • ์ „ ๊ทธ๋Œ€๋กœ Input๊ณผ InputCheckBox๊ฐ€ ๋” ๋‚˜์•„๋ณด์—ฌ์š”..!
@@ -1,9 +1,10 @@ import { useState } from "react"; -import Input from "../components/Input"; import InputBox from "../components/InputBox"; -import validation from "../utils/validation"; +import InputCheckBox from "../components/InputCheckBox"; +import validateFormInfos from "../utils/validation"; import checking from "../utils/checking"; import { useNavigate } from "react-router-dom"; +import './Signup.css'; function Signup() { const [infos, setInfos] = useState({ @@ -14,8 +15,8 @@ function Signup() { userName: "", recommender: "", allTerms: false, - term1: false, - term2: false, + term: false, + privacy: false, marketing: false }); @@ -38,7 +39,7 @@ function Signup() { const checkedList = ["email", "phone", "userName", "recommender"] const {id, value} = e.currentTarget; setInfos({...infos, [id]: value}); - if (validationList.includes(id) && !validation({id, value, isValidInfos, setIsValidInfos})) { + if (validationList.includes(id) && !validateFormInfos({id, value, isValidInfos, setIsValidInfos})) { if (checkedList.includes(id)) setIsCheckedInfos({...isCheckedInfos, [id]: false}) return; @@ -49,153 +50,166 @@ function Signup() { checking({id, value, isCheckedInfos, setIsCheckedInfos}) } - const handleChangeInputBox = (e : React.FormEvent<HTMLInputElement>) => { + const handleChangeInputCheckBox = (e : React.FormEvent<HTMLInputElement>) => { const {id, checked} = e.currentTarget; if (id === "allTerms") { - setInfos({...infos, allTerms: checked, term1: checked, term2: checked, marketing: checked}); + setInfos({...infos, allTerms: checked, term: checked, privacy: checked, marketing: checked}); } else { setInfos({...infos, [id]: checked}) if (!checked) { setInfos({...infos, [id]: false, allTerms: false}) - } else if ((infos.term1 && infos.term2) || (infos.term2 && infos.marketing) || (infos.term1 && infos.marketing)) { + } else if ((infos.term && infos.privacy) || (infos.privacy && infos.marketing) || (infos.term && infos.marketing)) { setInfos({...infos, [id]: true, allTerms: true}) } } } const navigate = useNavigate(); - const handleSubmit = (e : any) => { + const handleSubmit = (e : React.FormEvent<HTMLFormElement>) => { e.preventDefault(); navigate("/greeting"); } return( - <form onSubmit={handleSubmit}> - <div> + <div className="signup"> + <div className="signup__title"> + ํšŒ์›๊ฐ€์ž… + </div> + <div className="signup__msg"> * ํ‘œ์‹œ๋œ ํ•ญ๋ชฉ์€ ํ•„์ˆ˜๋กœ ์ž…๋ ฅํ•ด์•ผํ•ฉ๋‹ˆ๋‹ค </div> - <div> - ์ด๋ฉ”์ผ* - <div> - <Input + <form className="signup__form" onSubmit={handleSubmit}> + <div className="signup__form__content"> + <InputBox type="text" id="email" value={infos.email} onChange={handleChange} + label="์ด๋ฉ”์ผ" + required={true} /> - {isValidInfos.email ? isCheckedInfos.email ? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค" : "์ด๋ฏธ ์‚ฌ์šฉ์ค‘์ธ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค" : "์œ ํšจํ•˜์ง€ ์•Š์€ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isValidInfos.email ? isCheckedInfos.email ? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค" : "์ด๋ฏธ ์‚ฌ์šฉ์ค‘์ธ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค" : "์œ ํšจํ•˜์ง€ ์•Š์€ ์ด๋ฉ”์ผ์ž…๋‹ˆ๋‹ค"} + </div> </div> - </div> - <div> - ์ „ํ™”๋ฒˆํ˜ธ* - <div> - <Input + <div className="signup__form__content"> + <InputBox type="text" id="phone" value={infos.phone} onChange={handleChange} + label="์ „ํ™”๋ฒˆํ˜ธ" + required={true} /> - {isValidInfos.phone ? isCheckedInfos.phone? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค" : "์ด๋ฏธ ์‚ฌ์šฉ์ค‘์ธ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค" : "์œ ํšจํ•˜์ง€ ์•Š์€ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isValidInfos.phone ? isCheckedInfos.phone? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค" : "์ด๋ฏธ ์‚ฌ์šฉ์ค‘์ธ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค" : "์œ ํšจํ•˜์ง€ ์•Š์€ ์ „ํ™”๋ฒˆํ˜ธ์ž…๋‹ˆ๋‹ค"} + </div> </div> - </div> - <div> - ๋น„๋ฐ€๋ฒˆํ˜ธ* (๋น„๋ฐ€๋ฒˆํ˜ธ๋Š” 8์ž ์ด์ƒ, ์˜๋ฌธ ๋Œ€,์†Œ๋ฌธ์ž, ์ˆซ์ž๋ฅผ ํฌํ•จํ•ด์•ผํ•ฉ๋‹ˆ๋‹ค) - <div> - <Input + <div className="signup__form__content"> + <InputBox type="password" id="password" value={infos.password} onChange={handleChange} + label="๋น„๋ฐ€๋ฒˆํ˜ธ(๋น„๋ฐ€๋ฒˆํ˜ธ๋Š” 8์ž ์ด์ƒ, ์˜๋ฌธ ๋Œ€,์†Œ๋ฌธ์ž, ์ˆซ์ž๋ฅผ ํฌํ•จํ•ด์•ผํ•ฉ๋‹ˆ๋‹ค)" + required={true} /> - {isValidInfos.password ? "" : "๋น„๋ฐ€๋ฒˆํ˜ธ ํ˜•์‹์— ๋งž์ง€ ์•Š์Šต๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isValidInfos.password ? "" : "๋น„๋ฐ€๋ฒˆํ˜ธ ํ˜•์‹์— ๋งž์ง€ ์•Š์Šต๋‹ˆ๋‹ค"} + </div> </div> - ๋น„๋ฐ€๋ฒˆํ˜ธ ํ™•์ธ* - <div> - <Input + <div className="signup__form__content"> + <InputBox type="password" id="repassword" value={infos.repassword} onChange={handleChange} + label="๋น„๋ฐ€๋ฒˆํ˜ธ ํ™•์ธ" + required={true} /> - {isCheckedInfos.password ? "" : "๋น„๋ฐ€๋ฒˆํ˜ธ๊ฐ€ ์ผ์น˜ํ•˜์ง€ ์•Š์Šต๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isCheckedInfos.password ? "" : "๋น„๋ฐ€๋ฒˆํ˜ธ๊ฐ€ ์ผ์น˜ํ•˜์ง€ ์•Š์Šต๋‹ˆ๋‹ค"} + </div> </div> - </div> - <div> - ์œ ์ €๋„ค์ž„* - <div> - <Input + <div className="signup__form__content"> + <InputBox type="text" id="userName" value={infos.userName} onChange={handleChange} + label="์œ ์ €๋„ค์ž„" + required={true} /> - {isCheckedInfos.userName ? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์œ ์ €๋„ค์ž„์ž…๋‹ˆ๋‹ค" : "์‚ฌ์šฉ์ค‘์ธ ์œ ์ €๋„ค์ž„์ž…๋‹ˆ๋‹ค"} + <div className="signup__form__content__msg"> + {isCheckedInfos.userName ? "์‚ฌ์šฉ ๊ฐ€๋Šฅํ•œ ์œ ์ €๋„ค์ž„์ž…๋‹ˆ๋‹ค" : "์‚ฌ์šฉ์ค‘์ธ ์œ ์ €๋„ค์ž„์ž…๋‹ˆ๋‹ค"} + </div> </div> - </div> - <div> - ์ถ”์ฒœ์ธ ์œ ์ €๋„ค์ž„ - <div> - <Input + <div className="signup__form__content"> + <InputBox type="text" id="recommender" value={infos.recommender} onChange={handleChange} + label="์ถ”์ฒœ์ธ ์œ ์ €๋„ค์ž„" + required={false} /> - {infos.recommender && (isCheckedInfos.recommender ? "์ถ”์ฒœ์ธ์ด ํ™•์ธ๋˜์—ˆ์Šต๋‹ˆ๋‹ค" : "์ถ”์ฒœ์ธ์ด ํ™•์ธ๋˜์ง€ ์•Š์•˜์Šต๋‹ˆ๋‹ค")} - </div> - </div> - <div> - ์•ฝ๊ด€ ๋ฐ ๋งˆ์ผ“ํŒ… ๋™์˜ - <div> - ๋ชจ๋‘ ๋™์˜ - <InputBox - id="allTerms" - checked={infos.allTerms} - onChange={handleChangeInputBox} - /> - - </div> - <div> - ์•ฝ๊ด€ 1* - <InputBox - id="term1" - checked={infos.term1} - onChange={handleChangeInputBox} - /> + <div className="signup__form__content__msg"> + {infos.recommender && (isCheckedInfos.recommender ? "์ถ”์ฒœ์ธ์ด ํ™•์ธ๋˜์—ˆ์Šต๋‹ˆ๋‹ค" : "์ถ”์ฒœ์ธ์ด ํ™•์ธ๋˜์ง€ ์•Š์•˜์Šต๋‹ˆ๋‹ค")} + </div> </div> - <div> - ์•ฝ๊ด€2* - <InputBox - id="term2" - checked={infos.term2} - onChange={handleChangeInputBox} - /> + <div className="signup__form__checkbox"> + <div className="signup__form__checkbox__title"> + ์•ฝ๊ด€ ๋ฐ ๋งˆ์ผ€ํŒ… ๋™์˜ + </div> + <div> + <InputCheckBox + id="allTerms" + checked={infos.allTerms} + onChange={handleChangeInputCheckBox} + label="๋ชจ๋‘ ๋™์˜" + required={false} + /> + <InputCheckBox + id="term" + checked={infos.term} + onChange={handleChangeInputCheckBox} + label="์•ฝ๊ด€" + required={true} + /> + <InputCheckBox + id="privacy" + checked={infos.privacy} + onChange={handleChangeInputCheckBox} + label="๊ฐœ์ธ์ •๋ณดํ™œ์šฉ๋™์˜" + required={true} + /> + <InputCheckBox + id="marketing" + checked={infos.marketing} + onChange={handleChangeInputCheckBox} + label="๋งˆ์ผ€ํŒ…๋™์˜" + required={false} + /> + </div> </div> - <div> - ๋งˆ์ผ“ํŒ…๋™์˜ - <InputBox - id="marketing" - checked={infos.marketing} - onChange={handleChangeInputBox} + <div className="signup__form__submit"> + <input + className="signup__form__submit__input" + type="submit" + value="์ œ์ถœ" + disabled={ + isCheckedInfos.email && isCheckedInfos.phone + && isValidInfos.password && isCheckedInfos.password + && isCheckedInfos.userName + && ((infos.recommender && isCheckedInfos.recommender) || !infos.recommender) + && infos.term && infos.privacy + ? false : true + } /> </div> - </div> - <div> - <input - type="submit" - value="์ œ์ถœ" - disabled={ - isCheckedInfos.email && isCheckedInfos.phone - && isValidInfos.password && isCheckedInfos.password - && isCheckedInfos.userName - && ((infos.recommender && isCheckedInfos.recommender) || !infos.recommender) - && infos.term1 && infos.term2 - ? false : true - } - /> - </div> - </form> + </form> + </div> ) }
Unknown
์ •ํ™•ํ•œ ํƒ€์ž… ์ข‹์Šต๋‹ˆ๋‹ค~!
@@ -0,0 +1,28 @@ +import './InputCheckBox.css'; + +type InputCheckBoxProps = { + id: string; + checked: boolean; + onChange: (e : React.FormEvent<HTMLInputElement>) => void; + label?: string; + required?: boolean; +} + +const InputCheckBox = ({id, checked, onChange, label, required}: InputCheckBoxProps) => { + return ( + <div className='inputCheckBox'> + <input + className='inputCheckBox__input' + type="checkbox" + id={id} + checked={checked} + onChange={onChange} + /> + <label htmlFor={id} className={required ? 'inputCheckBox__title inputCheckBox__title__required' : 'inputCheckBox__title'}> + {label}{required && '*'} + </label> + </div> + ) +} + +export default InputCheckBox; \ No newline at end of file
Unknown
label์˜ className์„ ๊ฒฐ์ •ํ•˜๋Š” ๋ถ€๋ถ„์ด inputBox์™€ inputCheckBox์—์„œ ๋ฐ˜๋ณต๋ฉ๋‹ˆ๋‹ค. ์ด ๋ถ€๋ถ„์„ ํ•„์ˆ˜ className๊ณผ ํ”Œ๋ž˜๊ทธ์— ๋”ฐ๋ผ ์ถ”๊ฐ€์—ฌ๋ถ€๊ฐ€ ์ •ํ•ด์ง€๋Š” className, ๊ทธ๋ฆฌ๊ณ  ํ”Œ๋ž˜๊ทธ๋ฅผ ์ธ์ž๋กœ ๋ฐ›์•„์„œ ํด๋ž˜์Šค ๋„ค์ž„์„ ๋ฆฌํ„ดํ•ด์ฃผ๋Š” ํ•จ์ˆ˜๋กœ ๋ฐ”๊ฟ”๋ณด๋ฉด ์–ด๋–จ๊นŒ์š”? ```suggestion const InputCheckBox = ({id, checked, onChange, label, required}: InputCheckBoxProps) => { const labelClassName = getClassNameByRequired('inputCheckBox__title', 'inputCheckBox__title__required', required); return ( <div className='inputCheckBox'> <input className='inputCheckBox__input' type="checkbox" id={id} checked={checked} onChange={onChange} /> <label htmlFor={id} className={labelClassName}> {label}{required && '*'} </label> </div> ) } ``` ```js const getClassNameByRequired = (core:string, suffix:string, required:boolean) => { return (required) ? `${core} ${suffix}` : `${core}` } ```
@@ -0,0 +1,65 @@ + +package basball.view; + +import basball.baseball.model.GameStatus; + +import java.util.Arrays; +import java.util.Scanner; +import java.util.regex.Pattern; + +public final class InputView { + + private static final String INPUT_NUMBER_MESSAGE = "์ˆซ์ž๋ฅผ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š” : "; + private static final Scanner sc = new Scanner(System.in); + + public int[] getInputNumber() { + System.out.print(INPUT_NUMBER_MESSAGE); + String next = sc.next().trim(); + + Validator.hasThreeNumber(next); + + return getNumberArray(next); + } + + private int[] getNumberArray(String next) { + return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray(); + } + + public GameStatus getRestartInput() { + String answer = sc.next(); + Validator.validateAnswer(answer); + + if (answer.equals("1")) { + return GameStatus.RUNNING; + } + return GameStatus.END; + } + + public static class Validator { + private static final Pattern PATTERN = Pattern.compile("[1-9]{3}"); + + public static void hasThreeNumber(String next) { + + if (!PATTERN.matcher(next).matches()) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ 3์ž๋ฆฌ ์ˆซ์ž๋งŒ ์ž…๋ ฅ ํ•ด์ฃผ์„ธ์š”"); + } + } + + public static void isDifferentNumbers(int[] numbers) { + + if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ ์ˆ˜๋ฅผ ์ž…๋ ฅํ•ด์ฃผ์„ธ์š”"); + } + } + + private static boolean isSameNumber(int number1, int number2) { + return number1 == number2; + } + + public static void validateAnswer(String answer) { + if (!answer.equals("1") && !answer.equals("2")) { + throw new IllegalArgumentException("1 ๋˜๋Š” 2๋งŒ ์ž…๋ ฅ ํ•ด ์ฃผ์„ธ์š”"); + } + } + } +}
Java
(nit) Inner class๋กœ ๋‘์‹ค๊ฑฐ๋ฉด Validator์™€ ๋‚ด๋ถ€ ๋ฉ”์†Œ๋“œ ๋ชจ๋‘ private์œผ๋กœ ํ•˜๋Š”๊ฒŒ ์ข‹๊ฒ ์–ด์š”.
@@ -0,0 +1,65 @@ + +package basball.view; + +import basball.baseball.model.GameStatus; + +import java.util.Arrays; +import java.util.Scanner; +import java.util.regex.Pattern; + +public final class InputView { + + private static final String INPUT_NUMBER_MESSAGE = "์ˆซ์ž๋ฅผ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š” : "; + private static final Scanner sc = new Scanner(System.in); + + public int[] getInputNumber() { + System.out.print(INPUT_NUMBER_MESSAGE); + String next = sc.next().trim(); + + Validator.hasThreeNumber(next); + + return getNumberArray(next); + } + + private int[] getNumberArray(String next) { + return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray(); + } + + public GameStatus getRestartInput() { + String answer = sc.next(); + Validator.validateAnswer(answer); + + if (answer.equals("1")) { + return GameStatus.RUNNING; + } + return GameStatus.END; + } + + public static class Validator { + private static final Pattern PATTERN = Pattern.compile("[1-9]{3}"); + + public static void hasThreeNumber(String next) { + + if (!PATTERN.matcher(next).matches()) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ 3์ž๋ฆฌ ์ˆซ์ž๋งŒ ์ž…๋ ฅ ํ•ด์ฃผ์„ธ์š”"); + } + } + + public static void isDifferentNumbers(int[] numbers) { + + if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ ์ˆ˜๋ฅผ ์ž…๋ ฅํ•ด์ฃผ์„ธ์š”"); + } + } + + private static boolean isSameNumber(int number1, int number2) { + return number1 == number2; + } + + public static void validateAnswer(String answer) { + if (!answer.equals("1") && !answer.equals("2")) { + throw new IllegalArgumentException("1 ๋˜๋Š” 2๋งŒ ์ž…๋ ฅ ํ•ด ์ฃผ์„ธ์š”"); + } + } + } +}
Java
๋ฉ˜ํ† ๋‹˜ ์•ˆ๋…•ํ•˜์„ธ์š” ! ๋‹ต๋ณ€ ๋‚จ๊ฒจ์ฃผ์…”์„œ ๊ฐ์‚ฌํ•ฉ๋‹ˆ๋‹ค ๊ทธ๋Ÿฐ๋ฐ Validator ๋ฅผ private ๋กœ ๋ฐ”๊พธ๋ฉด Balls ๋ž‘ InputView ํ…Œ์ŠคํŠธ ๊ฐ™์€ ๊ณณ ์—์„œ๋Š” ์–ด๋–ป๊ฒŒ ์‚ฌ์šฉํ•ด์•ผ ํ•˜๋‚˜์š” ? ์ œ ์ƒ๊ฐ์œผ๋กœ๋Š” InputView ์•ˆ์— get ๋ฉ”์„œ๋“œ๋กœ ์ ‘๊ทผ ๋ฉ”์„œ๋“œ๋ฅผ ์ œ๊ณตํ•˜๋Š” ๋ฐฉ๋ฒ• ๋ฟ์ธ๋ฐ ์ด๋ ‡๊ฒŒ ๋˜๋ฉด InputView ํ…Œ์ŠคํŠธ๋Š” ๊ทธ๋ ‡๋‹ค ์ณ๋„ Balls ๋ถ€๋ถ„์—์„œ Validator ๋ฅผ ์‚ฌ์šฉํ•˜๊ธฐ ์œ„ํ•ด ๋ถˆํ•„์š”ํ•˜๊ฒŒ InputView ๊ฐ์ฒด๋ฅผ ๋งŒ๋“ค์–ด์•ผ ํ•˜๋Š”๋ฐ ๋งž์„๊นŒ์š” !? ์•„๋‹ˆ๋ฉด ์ €๋ฒˆ์— ๋‚จ๊ฒจ์ฃผ์‹  static class ๋กœ ๋ฐ”๊พธ๋ผ๋Š”๊ฒŒ ์ด๋ ‡๊ฒŒ ๋ฐ”๊พธ๋ผ๊ณ  ํ•˜์‹ ๊ฒŒ ์•„๋‹ˆ์˜€๋‚˜์š” !??
@@ -0,0 +1,65 @@ + +package basball.view; + +import basball.baseball.model.GameStatus; + +import java.util.Arrays; +import java.util.Scanner; +import java.util.regex.Pattern; + +public final class InputView { + + private static final String INPUT_NUMBER_MESSAGE = "์ˆซ์ž๋ฅผ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š” : "; + private static final Scanner sc = new Scanner(System.in); + + public int[] getInputNumber() { + System.out.print(INPUT_NUMBER_MESSAGE); + String next = sc.next().trim(); + + Validator.hasThreeNumber(next); + + return getNumberArray(next); + } + + private int[] getNumberArray(String next) { + return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray(); + } + + public GameStatus getRestartInput() { + String answer = sc.next(); + Validator.validateAnswer(answer); + + if (answer.equals("1")) { + return GameStatus.RUNNING; + } + return GameStatus.END; + } + + public static class Validator { + private static final Pattern PATTERN = Pattern.compile("[1-9]{3}"); + + public static void hasThreeNumber(String next) { + + if (!PATTERN.matcher(next).matches()) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ 3์ž๋ฆฌ ์ˆซ์ž๋งŒ ์ž…๋ ฅ ํ•ด์ฃผ์„ธ์š”"); + } + } + + public static void isDifferentNumbers(int[] numbers) { + + if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ ์ˆ˜๋ฅผ ์ž…๋ ฅํ•ด์ฃผ์„ธ์š”"); + } + } + + private static boolean isSameNumber(int number1, int number2) { + return number1 == number2; + } + + public static void validateAnswer(String answer) { + if (!answer.equals("1") && !answer.equals("2")) { + throw new IllegalArgumentException("1 ๋˜๋Š” 2๋งŒ ์ž…๋ ฅ ํ•ด ์ฃผ์„ธ์š”"); + } + } + } +}
Java
์ „์— ๋‚จ๊ฒจ๋“œ๋ฆฐ๊ฑด static ๊ฐœ๋ณ„ ํด๋ž˜์Šค๋กœ ๋‘๋ผ๋Š” ์–˜๊ธฐ์˜€์–ด์š” ใ…Žใ…Ž ์ œ๊ฐ€ private๋กœ ํ•˜๋ผ๊ณ  ๋ง์”€๋“œ๋ฆฐ๊ฑด ์‚ฌ์‹ค InputView ๋‚ด์—์„œ๋งŒ ์“ฐ์—ฌ์„œ ๊ทธ๋ ‡๊ฒŒ ๋ง์”€๋“œ๋ฆฐ๊ฑฐ์˜€์–ด์š”. ๋งŒ์•ฝ Validator ์ž์ฒด๊ฐ€ ๋ฐ–์œผ๋กœ ๋‚˜์™€์žˆ์„ ์ด์œ ๊ฐ€ ์—†๋‹ค๋ฉด ํ…Œ์ŠคํŠธ๋„ ํ•„์š”์—†๋Š”๊ฑฐ๊ฒ ์ฃ . (์บก์Аํ™”์˜ ์˜๋ฏธ์˜€์–ด์š”. Validator๋ฅผ ๊ฐ€์ ธ๋‹ค ์“ธ ๋ฐ๊ฐ€ InputView ์™ธ์— ์—†๋‹ค๋ฉด ๊ตณ์ด Validator๊ฐ€ ์–ด๋–ป๊ฒŒ ๊ตฌํ˜„๋˜์—ˆ๋Š”์ง€ ํ…Œ์ŠคํŠธ๋ฅผ ์–ด๋–ป๊ฒŒ ํ• ์ง€๋„ ๊ณ ๋ฏผํ•  ํ•„์š”๊ฐ€ ์—†๋Š”๊ฑฐ๊ฒ ์ฃ ) ํ•˜์ง€๋งŒ Validator๊ฐ€ ๋‹ค๋ฅธ๋ฐ์„œ๋„ ์“ฐ์ผ๊ฑฐ๋ผ๋ฉด ๊ฐœ๋ณ„ static ํด๋ž˜์Šค๋กœ ๋นผ๋‘๋Š”๊ฒŒ ๋” ์ข‹์„ ๊ฒƒ ๊ฐ™์•„์š”.
@@ -0,0 +1,65 @@ + +package basball.view; + +import basball.baseball.model.GameStatus; + +import java.util.Arrays; +import java.util.Scanner; +import java.util.regex.Pattern; + +public final class InputView { + + private static final String INPUT_NUMBER_MESSAGE = "์ˆซ์ž๋ฅผ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š” : "; + private static final Scanner sc = new Scanner(System.in); + + public int[] getInputNumber() { + System.out.print(INPUT_NUMBER_MESSAGE); + String next = sc.next().trim(); + + Validator.hasThreeNumber(next); + + return getNumberArray(next); + } + + private int[] getNumberArray(String next) { + return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray(); + } + + public GameStatus getRestartInput() { + String answer = sc.next(); + Validator.validateAnswer(answer); + + if (answer.equals("1")) { + return GameStatus.RUNNING; + } + return GameStatus.END; + } + + public static class Validator { + private static final Pattern PATTERN = Pattern.compile("[1-9]{3}"); + + public static void hasThreeNumber(String next) { + + if (!PATTERN.matcher(next).matches()) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ 3์ž๋ฆฌ ์ˆซ์ž๋งŒ ์ž…๋ ฅ ํ•ด์ฃผ์„ธ์š”"); + } + } + + public static void isDifferentNumbers(int[] numbers) { + + if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ ์ˆ˜๋ฅผ ์ž…๋ ฅํ•ด์ฃผ์„ธ์š”"); + } + } + + private static boolean isSameNumber(int number1, int number2) { + return number1 == number2; + } + + public static void validateAnswer(String answer) { + if (!answer.equals("1") && !answer.equals("2")) { + throw new IllegalArgumentException("1 ๋˜๋Š” 2๋งŒ ์ž…๋ ฅ ํ•ด ์ฃผ์„ธ์š”"); + } + } + } +}
Java
์•ˆ๋…•ํ•˜์„ธ์š” ๋ฉ˜ํ† ๋‹˜ ! `๊ฐœ๋ณ„ static ํด๋ž˜์Šค` ๋ผ๋Š” ๋ง์ด ์ž˜ ์ดํ•ด๊ฐ€ ์•ˆ๋˜๋Š”๋ฐ ํ˜น์‹œ `Math` ํด๋ž˜์Šค ์ฒ˜๋Ÿผ `final ๊ณผ private ์ƒ์„ฑ์ž` ๋ฅผ ํ†ตํ•ด ์ƒ์„ฑ์„ ๋ง‰๊ณ  ๋‹จ์ง€ `Utils` ํด๋ž˜์Šค ์ฒ˜๋Ÿผ ์‚ฌ์šฉ ์„ ์˜๋ฏธ ํ•˜์‹œ๋Š”๊ฑด๊ฐ€์š” ? ?์•„๋‹ˆ๋ฉด ์™ธ๋ถ€๋Š” `public ํด๋ž˜์Šค` ๋กœ ๋งŒ๋“ค๊ณ  ๋‚ด๋ถ€์— `public static class` ๋กœ ๋งŒ๋“ค๋ผ๊ณ  ํ•˜์‹œ๋Š” ๊ฑด๊ฐ€์š” ?? < final ์‚ฌ์šฉ > ``` public final class Validator { private Validator() { } private static final Pattern PATTERN = Pattern.compile("[1-9]{3}"); public static void hasThreeNumber(String next) { if (!PATTERN.matcher(next).matches()) { throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ 3์ž๋ฆฌ ์ˆซ์ž๋งŒ ์ž…๋ ฅ ํ•ด์ฃผ์„ธ์š”"); } } ... } ``` < static ์‚ฌ์šฉ > ``` public class Validators { public static class Validator { private static final Pattern PATTERN = Pattern.compile("[1-9]{3}"); public static void hasThreeNumber(String next) { if (!PATTERN.matcher(next).matches()) { throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ 3์ž๋ฆฌ ์ˆซ์ž๋งŒ ์ž…๋ ฅ ํ•ด์ฃผ์„ธ์š”"); } } ... } } ```
@@ -0,0 +1,65 @@ + +package basball.view; + +import basball.baseball.model.GameStatus; + +import java.util.Arrays; +import java.util.Scanner; +import java.util.regex.Pattern; + +public final class InputView { + + private static final String INPUT_NUMBER_MESSAGE = "์ˆซ์ž๋ฅผ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š” : "; + private static final Scanner sc = new Scanner(System.in); + + public int[] getInputNumber() { + System.out.print(INPUT_NUMBER_MESSAGE); + String next = sc.next().trim(); + + Validator.hasThreeNumber(next); + + return getNumberArray(next); + } + + private int[] getNumberArray(String next) { + return Arrays.stream(next.split("")).mapToInt(value -> Integer.parseInt(value)).toArray(); + } + + public GameStatus getRestartInput() { + String answer = sc.next(); + Validator.validateAnswer(answer); + + if (answer.equals("1")) { + return GameStatus.RUNNING; + } + return GameStatus.END; + } + + public static class Validator { + private static final Pattern PATTERN = Pattern.compile("[1-9]{3}"); + + public static void hasThreeNumber(String next) { + + if (!PATTERN.matcher(next).matches()) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ 3์ž๋ฆฌ ์ˆซ์ž๋งŒ ์ž…๋ ฅ ํ•ด์ฃผ์„ธ์š”"); + } + } + + public static void isDifferentNumbers(int[] numbers) { + + if (isSameNumber(numbers[0], numbers[1]) || isSameNumber(numbers[0], numbers[2]) || isSameNumber(numbers[1], numbers[2])) { + throw new IllegalArgumentException("์„œ๋กœ ๋‹ค๋ฅธ ์ˆ˜๋ฅผ ์ž…๋ ฅํ•ด์ฃผ์„ธ์š”"); + } + } + + private static boolean isSameNumber(int number1, int number2) { + return number1 == number2; + } + + public static void validateAnswer(String answer) { + if (!answer.equals("1") && !answer.equals("2")) { + throw new IllegalArgumentException("1 ๋˜๋Š” 2๋งŒ ์ž…๋ ฅ ํ•ด ์ฃผ์„ธ์š”"); + } + } + } +}
Java
์•— ์Œ..์ œ๊ฐ€ ๋ง์”€๋“œ๋ฆฐ๊ฑธ ๋„ˆ๋ฌด ํฌ๊ฒŒ ์ƒ๊ฐํ•˜์‹  ๊ฒƒ ๊ฐ™๊ตฐ์š”..^^; ์ œ๊ฐ€ ๋ง์”€๋“œ๋ฆฐ๊ฑด ๋‹จ์ˆœํžˆ Validator.java ํŒŒ์ผ์„ ํ•˜๋‚˜ ๋” ๋งŒ๋“ค์–ด์„œ ๊ฑฐ๊ธฐ๋‹ค ๋„ฃ๋Š”๋‹ค๋Š” ์–˜๊ธฐ์˜€์–ด์š”. ๊ทธ๋Ÿฌ๋ฉด ๊ตณ์ด InputView์— ์ข…์†์ ์ธ namespace๋ฅผ ๊ฐ€์งˆ ํ•„์š”๊ฐ€ ์—†์œผ๋‹ˆ๊นŒ์š” ใ…Žใ…Ž
@@ -88,5 +88,186 @@ export default { display: flex; align-items: center; justify-content: center; + html, + body { + height: 100%; + width: 100%; + padding: 0; + margin: 0; + } + .container { + background: white; + width: 100%; + height: 100%; + display: flex; + flex-direction: column; + flex-wrap: nowrap; + } + .container .main { + display: flex; + flex: 1; + flex-direction: column; + } + + .container .main-content { + background-color: #7278c6; + display: flex; + flex: 1; + height: 100%; + color: #f0f0f6; + flex-direction: column; + align-items: center; + padding-top: 20px; + font-weight: bold; + font-size: 20px; + } + .container .main-center { + display: flex; + background-color: #f7f7f7; + flex: 1; + height: 100%; + justify-content: center; + + position: relative; + } + .main-center .car-card { + display: flex; + flex-direction: column; + width: 70%; + background-color: #ffffff; + justify-content: center; + padding: 10px 30px; + position: absolute; + top: -100px; + } + .main-center .car-card .top { + display: flex; + justify-content: center; + } + .main-center .car-card .bottom { + display: flex; + } + + .main-center .car-card .bottom .left { + display: flex; + flex-direction: column; + flex: 1; + font-weight: bold; + } + + .main-center .car-card .bottom .right { + display: flex; + flex-direction: column; + align-items: flex-end; + flex: 1; + } + + .container .main-center-footer { + display: flex; + color: #5c63b9; + align-items: flex-end; + justify-content: start; + background-color: #f7f7f7; + font-weight: bold; + padding: 10px 30px; + } + + .container .main-bottom { + display: flex; + flex: 1; + height: 100%; + flex-direction: column; + } + + .main-bottom .content { + display: flex; + height: 100%; + } + .main-bottom .content .left { + display: flex; + flex: 1; + flex-direction: column; + justify-content: flex-start; + } + + .main-bottom .content .right-img { + display: flex; + flex: 1; + align-items: flex-start; + justify-content: center; + } + .main-bottom .content .right-img img { + width: 200px; + height: 120px; + } + + .main-bottom .first-line { + display: flex; + padding-left: 30px; + margin: 10px 0px; + } + + .main-bottom .first-line .left-txt { + display: flex; + justify-content: center; + background-color: #565db7; + flex: 1; + font-size: 12px; + color: #f6f7fb; + padding: 3px; + } + + .main-bottom .first-line .right { + display: flex; + padding-left: 10px; + flex: 3; + font-weight: bold; + } + + .main-bottom .second-line { + display: flex; + padding-left: 30px; + font-size: 15px; + color: #5e5e5e; + } + + .main-bottom .third-line { + display: flex; + padding-left: 30px; + font-size: 15px; + color: #c6c6d1; + } + .main-bottom .fourth-line { + display: flex; + padding-left: 30px; + color: #555555; + font-weight: bold; + } + + .main-bottom .last-line { + display: flex; + padding: 10px; + border-top: solid 1px #f7f7f7; + } + .main-bottom .last-line .left { + display: flex; + justify-content: center; + flex: 1; + color: #575cb5; + font-weight: bold; + } + .main-bottom .last-line .right { + display: flex; + justify-content: center; + flex: 1; + color: #575cb5; + font-weight: bold; + } + + .container .event { + display: flex; + flex: 1; + background-color: #f7f7f7; + } } </style> \ No newline at end of file
Unknown
์—ฌ๊ธฐ์ด๋ ‡๊ฒŒํ•˜๋ฉด์•ˆ๋ผ์š”
@@ -88,5 +88,186 @@ export default { display: flex; align-items: center; justify-content: center; + html, + body { + height: 100%; + width: 100%; + padding: 0; + margin: 0; + } + .container { + background: white; + width: 100%; + height: 100%; + display: flex; + flex-direction: column; + flex-wrap: nowrap; + } + .container .main { + display: flex; + flex: 1; + flex-direction: column; + } + + .container .main-content { + background-color: #7278c6; + display: flex; + flex: 1; + height: 100%; + color: #f0f0f6; + flex-direction: column; + align-items: center; + padding-top: 20px; + font-weight: bold; + font-size: 20px; + } + .container .main-center { + display: flex; + background-color: #f7f7f7; + flex: 1; + height: 100%; + justify-content: center; + + position: relative; + } + .main-center .car-card { + display: flex; + flex-direction: column; + width: 70%; + background-color: #ffffff; + justify-content: center; + padding: 10px 30px; + position: absolute; + top: -100px; + } + .main-center .car-card .top { + display: flex; + justify-content: center; + } + .main-center .car-card .bottom { + display: flex; + } + + .main-center .car-card .bottom .left { + display: flex; + flex-direction: column; + flex: 1; + font-weight: bold; + } + + .main-center .car-card .bottom .right { + display: flex; + flex-direction: column; + align-items: flex-end; + flex: 1; + } + + .container .main-center-footer { + display: flex; + color: #5c63b9; + align-items: flex-end; + justify-content: start; + background-color: #f7f7f7; + font-weight: bold; + padding: 10px 30px; + } + + .container .main-bottom { + display: flex; + flex: 1; + height: 100%; + flex-direction: column; + } + + .main-bottom .content { + display: flex; + height: 100%; + } + .main-bottom .content .left { + display: flex; + flex: 1; + flex-direction: column; + justify-content: flex-start; + } + + .main-bottom .content .right-img { + display: flex; + flex: 1; + align-items: flex-start; + justify-content: center; + } + .main-bottom .content .right-img img { + width: 200px; + height: 120px; + } + + .main-bottom .first-line { + display: flex; + padding-left: 30px; + margin: 10px 0px; + } + + .main-bottom .first-line .left-txt { + display: flex; + justify-content: center; + background-color: #565db7; + flex: 1; + font-size: 12px; + color: #f6f7fb; + padding: 3px; + } + + .main-bottom .first-line .right { + display: flex; + padding-left: 10px; + flex: 3; + font-weight: bold; + } + + .main-bottom .second-line { + display: flex; + padding-left: 30px; + font-size: 15px; + color: #5e5e5e; + } + + .main-bottom .third-line { + display: flex; + padding-left: 30px; + font-size: 15px; + color: #c6c6d1; + } + .main-bottom .fourth-line { + display: flex; + padding-left: 30px; + color: #555555; + font-weight: bold; + } + + .main-bottom .last-line { + display: flex; + padding: 10px; + border-top: solid 1px #f7f7f7; + } + .main-bottom .last-line .left { + display: flex; + justify-content: center; + flex: 1; + color: #575cb5; + font-weight: bold; + } + .main-bottom .last-line .right { + display: flex; + justify-content: center; + flex: 1; + color: #575cb5; + font-weight: bold; + } + + .container .event { + display: flex; + flex: 1; + background-color: #f7f7f7; + } } </style> \ No newline at end of file
Unknown
์ˆ˜์ •ํ–ˆ์Šต๋‹ˆ๋‹ค
@@ -0,0 +1,105 @@ +import { Helmet } from 'react-helmet-async'; +import titles from '../routes/titles'; +import styled from 'styled-components'; +import MainCard from './components/MainCard'; +import Tag from './components/Tag'; +import Card from './components/Card'; +import { useQuery } from 'react-query'; +import { getArticles } from '../api/ArticlesController'; +import { useState } from 'react'; +import { useNavigate } from 'react-router-dom'; + +const BlogWrapper = styled.div` + display: flex; + flex-direction: column; + justify-content: center; + width: 100%; + margin: 0px 120px 0px 120px; +`; + +const TagBox = styled.div` + display: flex; + gap: 10px; + margin-bottom: 44px; + margin: 0px 48px; +`; + +const CardBox = styled.div` + display: grid; + grid-template-columns: repeat(2, 1fr); + row-gap: 3rem; + column-gap: 6rem; + margin: 44px 48px 0px 48px; + + a { + display: flex; + justify-items: center; + justify-content: center; + } +`; + +function BlogPage() { + const navigate = useNavigate(); + + const { + data: cardData, + isLoading, + error, + } = useQuery({ + queryKey: ['articles'], + queryFn: getArticles, + }); + + const [activeTag, setActiveTag] = useState('์ „์ฒด'); + + if (isLoading) return 'Loading...'; + + if (error) return 'An error has occurred: ' + error; + + if (!cardData || cardData.length === 0) return 'No data available'; + + const mainCardData = cardData[0]; + + const categories = [ + { id: 0, text: '์ „์ฒด' }, + { id: 1, text: '๋ฌธํ™”' }, + { id: 2, text: '์„œ๋น„์Šค' }, + { id: 3, text: '์ปค๋ฆฌ์–ด' }, + ]; + + return ( + <> + <Helmet> + <title>{titles.blog}</title> + </Helmet> + <BlogWrapper> + <MainCard + mainCard={mainCardData} + onClick={()=>navigate(`/blog/${mainCardData.articleId}`)} + /> + <TagBox> + {categories.map((category) => ( + <Tag + key={category.id} + text={category.text} + onClick={() => setActiveTag(category.text)} + isActive={category.text === activeTag} + /> + ))} + </TagBox> + <CardBox> + {cardData.map((card) => ( + <Card + key={card.articleId} + card={card} + isActive={card.categories[0] === activeTag || '์ „์ฒด' === activeTag } + onClick={()=>navigate(`/blog/${card.articleId}`)} + /> + ))} + </CardBox> + </BlogWrapper> + </> + ); +} + +export default BlogPage;
Unknown
P4: margin์ด๋ž‘ margin-bottom ๊ฐ™์ด ์“ด ์ด์œ ๊ฐ€ ์žˆ์„๊นŒ์š”? ํ•˜๋‚˜๋กœ ํ†ต์ผํ•˜๋ฉด ๋  ๊ฒƒ ๊ฐ™์•„์š”.
@@ -0,0 +1,105 @@ +import { Helmet } from 'react-helmet-async'; +import titles from '../routes/titles'; +import styled from 'styled-components'; +import MainCard from './components/MainCard'; +import Tag from './components/Tag'; +import Card from './components/Card'; +import { useQuery } from 'react-query'; +import { getArticles } from '../api/ArticlesController'; +import { useState } from 'react'; +import { useNavigate } from 'react-router-dom'; + +const BlogWrapper = styled.div` + display: flex; + flex-direction: column; + justify-content: center; + width: 100%; + margin: 0px 120px 0px 120px; +`; + +const TagBox = styled.div` + display: flex; + gap: 10px; + margin-bottom: 44px; + margin: 0px 48px; +`; + +const CardBox = styled.div` + display: grid; + grid-template-columns: repeat(2, 1fr); + row-gap: 3rem; + column-gap: 6rem; + margin: 44px 48px 0px 48px; + + a { + display: flex; + justify-items: center; + justify-content: center; + } +`; + +function BlogPage() { + const navigate = useNavigate(); + + const { + data: cardData, + isLoading, + error, + } = useQuery({ + queryKey: ['articles'], + queryFn: getArticles, + }); + + const [activeTag, setActiveTag] = useState('์ „์ฒด'); + + if (isLoading) return 'Loading...'; + + if (error) return 'An error has occurred: ' + error; + + if (!cardData || cardData.length === 0) return 'No data available'; + + const mainCardData = cardData[0]; + + const categories = [ + { id: 0, text: '์ „์ฒด' }, + { id: 1, text: '๋ฌธํ™”' }, + { id: 2, text: '์„œ๋น„์Šค' }, + { id: 3, text: '์ปค๋ฆฌ์–ด' }, + ]; + + return ( + <> + <Helmet> + <title>{titles.blog}</title> + </Helmet> + <BlogWrapper> + <MainCard + mainCard={mainCardData} + onClick={()=>navigate(`/blog/${mainCardData.articleId}`)} + /> + <TagBox> + {categories.map((category) => ( + <Tag + key={category.id} + text={category.text} + onClick={() => setActiveTag(category.text)} + isActive={category.text === activeTag} + /> + ))} + </TagBox> + <CardBox> + {cardData.map((card) => ( + <Card + key={card.articleId} + card={card} + isActive={card.categories[0] === activeTag || '์ „์ฒด' === activeTag } + onClick={()=>navigate(`/blog/${card.articleId}`)} + /> + ))} + </CardBox> + </BlogWrapper> + </> + ); +} + +export default BlogPage;
Unknown
P1: suspense๋กœ ์˜ฎ๊ธฐ๋Š” ๊ฒƒ ๊ณต๋ถ€ https://blog.jbee.io/react/React%EC%97%90%EC%84%9C+%EC%84%A0%EC%96%B8%EC%A0%81%EC%9C%BC%EB%A1%9C+%EB%B9%84%EB%8F%99%EA%B8%B0+%EB%8B%A4%EB%A3%A8%EA%B8%B0
@@ -0,0 +1,32 @@ +import styled from 'styled-components'; + +const TagWrapper = styled.div<{ $isActive: boolean }>` + border-radius: 40px; + border: none; + padding: 14px 20px; + font-size: 18px; + cursor: pointer; + line-height: 22px; + color: ${(props) => (props.$isActive ? '#ffffff' : '#868b94')}; + background-color: ${(props) => (props.$isActive ? '#212124' : '#f2f3f6')}; + font-weight: ${(props) => (props.$isActive ? '600' : '400')}; + &:hover { + background-color: #212124; + color: #ffffff; + font-weight: 600; + } +`; + +interface TagProps { + text: string; + isActive: boolean; + onClick: () => void; +}; + +export default function Tag({ isActive, onClick, text }: TagProps) { + return ( + <TagWrapper $isActive={isActive} onClick={onClick}> + {text} + </TagWrapper> + ); +}
Unknown
P3: ์ดํ›„์— css variables๋กœ ๋นผ์„œ ๊ด€๋ฆฌํ•˜๋ฉด ์ข‹์„ ๊ฒƒ ๊ฐ™์•„์š”.
@@ -0,0 +1,31 @@ +class VisitDateError { + #notInputDate(visitDate) { + if (visitDate.length === 0) { + throw new Error('[ERROR] ๋ฐฉ๋ฌธ ๋‚ ์งœ๋ฅผ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #dateNotNum(visitDate) { + if ( + Number.isNaN(Number(visitDate)) || + Number.isInteger(Number(visitDate)) === false || + visitDate.includes('.') + ) { + throw new Error('[ERROR] ์œ ํšจํ•˜์ง€ ์•Š์€ ๋‚ ์งœ์ž…๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #dateNotInRange(visitDate) { + if (Number(visitDate) < 1 || Number(visitDate) > 31) { + throw new Error('[ERROR] ์œ ํšจํ•˜์ง€ ์•Š์€ ๋‚ ์งœ์ž…๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + valid(visitDate) { + this.#notInputDate(visitDate); + this.#dateNotNum(visitDate); + this.#dateNotInRange(visitDate); + } +} + +export default VisitDateError;
JavaScript
ํ•ด๋‹น ๋ถ€๋ถ„ ์ •๊ทœ ํ‘œํ˜„์‹์œผ๋กœ ํ•˜๋ฉด if๋ฌธ์„ ํ•˜๋‚˜๋กœ ์ค„์ผ ์ˆ˜ ์žˆ์„ ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค !
@@ -0,0 +1,31 @@ +class VisitDateError { + #notInputDate(visitDate) { + if (visitDate.length === 0) { + throw new Error('[ERROR] ๋ฐฉ๋ฌธ ๋‚ ์งœ๋ฅผ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #dateNotNum(visitDate) { + if ( + Number.isNaN(Number(visitDate)) || + Number.isInteger(Number(visitDate)) === false || + visitDate.includes('.') + ) { + throw new Error('[ERROR] ์œ ํšจํ•˜์ง€ ์•Š์€ ๋‚ ์งœ์ž…๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #dateNotInRange(visitDate) { + if (Number(visitDate) < 1 || Number(visitDate) > 31) { + throw new Error('[ERROR] ์œ ํšจํ•˜์ง€ ์•Š์€ ๋‚ ์งœ์ž…๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + valid(visitDate) { + this.#notInputDate(visitDate); + this.#dateNotNum(visitDate); + this.#dateNotInRange(visitDate); + } +} + +export default VisitDateError;
JavaScript
ํ•ด๋‹น ๋ฌธ๊ตฌ๋„ constant์— ๋”ฐ๋กœ error.js๋ฅผ ์ƒ์„ฑํ•˜์…”์„œ ํ•˜์‹œ๋ฉด ์ข‹์„ ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค !
@@ -0,0 +1,61 @@ +import { MENU_NAMES, MENUS } from '../../constant/menu.js'; + +class OrderMenuError { + #orderNotInput(orderMenu) { + if ( + orderMenu.length === 1 && + orderMenu[0].menu.trim() === '' + ) { + throw new Error('[ERROR] ์ฃผ๋ฌธํ•˜์‹ค ๋ฉ”๋‰ด์™€ ๊ฐœ์ˆ˜๋ฅผ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #orderWrongInput(orderMenu) { + if (!orderMenu + .every((order) => Number.isNaN(order.cnt) === false && + Number.isInteger(order.cnt) && + order.cnt > 0) + ) { + throw new Error('[ERROR] ์œ ํšจํ•˜์ง€ ์•Š์€ ์ฃผ๋ฌธ์ž…๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #orderNotExistMenu(orderMenu) { + if (!orderMenu.every((order) => MENU_NAMES.includes(order.menu))) { + throw new Error('[ERROR] ์œ ํšจํ•˜์ง€ ์•Š์€ ์ฃผ๋ฌธ์ž…๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #orderDuplication(orderMenu) { + const originOrderMenu = orderMenu.map((order) => order.menu); + const setOrderMenu = new Set(originOrderMenu); + if (originOrderMenu.length !== setOrderMenu.size) { + throw new Error('[ERROR] ์œ ํšจํ•˜์ง€ ์•Š์€ ์ฃผ๋ฌธ์ž…๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #orderTypeOnlyDrink(orderMenu) { + const DRINK = Object.keys(MENUS.Drink); + if (orderMenu.every((order) => DRINK.includes(order.menu))) { + throw new Error('[ERROR] ์Œ๋ฃŒ๋งŒ ์ฃผ๋ฌธํ•˜์‹ค ์ˆ˜ ์—†์Šต๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + #totalOrderCntOverRange(orderMenu) { + const totalMenuCnt = orderMenu.reduce((acc, order) => acc + order.cnt, 0); + if (totalMenuCnt > 20) { + throw new Error('[ERROR] ๋ฉ”๋‰ด๋Š” ์ตœ๋Œ€ 20๊ฐœ ๊นŒ์ง€ ์ฃผ๋ฌธ ๊ฐ€๋Šฅํ•ฉ๋‹ˆ๋‹ค. ๋‹ค์‹œ ์ž…๋ ฅํ•ด ์ฃผ์„ธ์š”.'); + } + } + + valid(orderMenu) { + this.#orderNotInput(orderMenu); + this.#orderWrongInput(orderMenu); + this.#orderNotExistMenu(orderMenu); + this.#orderTypeOnlyDrink(orderMenu); + this.#orderDuplication(orderMenu); + this.#totalOrderCntOverRange(orderMenu); + } +} + +export default OrderMenuError;
JavaScript
์ €๋„ ์‹ค์ˆ˜๋กœ ๋†“์นœ ๋ถ€๋ถ„์ด์ง€๋งŒ 1.0์„ ํฌํ•จํ•  ์ง€ ์•ˆํ• ์ง€ ๊ณ ๋ฏผํ•˜์…จ๋‹ค๊ณ  ํ•˜์…จ๋Š”๋ฐ ๊ทธ ๋ถ€๋ถ„ ์ดํ•ดํ•ฉ๋‹ˆ๋‹ค... ๋ฏธ์…˜์ด ๋๋‚˜๊ณ  ์ƒ๊ฐ๋‚œ๊ฑฐ์ง€๋งŒ 1.0๋„ ํฌํ•จ์„ ํ•œ๋‹ค๋ฉด 1.000000000000000... ๋„ 1๋กœ ๋˜๋Š”๊ฑฐ๋ผ 0์„ ๋ฌดํ•œ๋Œ€๋กœ ์ž…๋ ฅํ•˜๋ฉด ๋ฌธ์ œ๊ฐ€ ๋ฐœ์ƒํ•˜์ง€ ์•Š์„๊นŒ ํ•˜๋Š” ์šฐ๋ ค๊ฐ€ ๋˜๋Š”๋ฐ ์–ด๋–ป๊ฒŒ ์ƒ๊ฐํ•˜์‹œ๋‚˜์š”?
@@ -0,0 +1,28 @@ +const EVENT_NAMES = ['ํฌ๋ฆฌ์Šค๋งˆ์Šค ๋””๋ฐ์ด ํ• ์ธ', 'ํ‰์ผ ํ• ์ธ', '์ฃผ๋ง ํ• ์ธ', 'ํŠน๋ณ„ ํ• ์ธ', '์ฆ์ • ์ด๋ฒคํŠธ']; + +const WEEKDAY_DISCOUNT_DATE = [ + 3, 4, 5, 6, 7, 10, 11, 12, 13, 14, 17, + 18, 19, 20, 21, 24, 25, 26, 27, 28, 31, +]; + +const WEEKEND_DISCOUNT_DATE = [ + 1, 2, 8, 9, 15, 16, 22, 23, 29, 30, +]; + +const SPECIAL_DISCOUNT_DATE = [ + 3, 10, 17, 24, 25, 31, +]; + +Object.freeze( + EVENT_NAMES, + WEEKDAY_DISCOUNT_DATE, + WEEKEND_DISCOUNT_DATE, + SPECIAL_DISCOUNT_DATE, +); + +export { + EVENT_NAMES, + WEEKDAY_DISCOUNT_DATE, + WEEKEND_DISCOUNT_DATE, + SPECIAL_DISCOUNT_DATE, +};
JavaScript
ํ•ด๋‹น ๋ถ€๋ถ„์€ `new Date()` ๋ฉ”์„œ๋“œ๋กœ ํ‘œํ˜„์ด ๊ฐ€๋Šฅํ•  ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค ! `new Date()`๋ฅผ ์‚ฌ์šฉํ•˜์‹œ๋ฉด 0-์ผ์š”์ผ ~ 6-ํ† ์š”์ผ๋กœ 0~6๊นŒ์ง€์˜ number๋กœ ์ถœ๋ ฅ๋ฉ๋‹ˆ๋‹ค !
@@ -0,0 +1,66 @@ +import OUTPUT from '../../utils/constant/output.js'; +import OutputView from '../../utils/view_type/OutputView.js'; +import { EVENT_NAMES } from '../../utils/constant/event.js'; + +class PrintEventResult { + #totalOrderAmount(TOTAL_AMOUNT) { + OutputView.printOutput(`${OUTPUT.TOTAL_AMOUNT.BEFORE_DISCOUNT}`); + OutputView.printOutput(`${TOTAL_AMOUNT.toLocaleString()}์›`); + OutputView.printOutput(''); + } + + #giveawayMenu(GIVEAWAY_MENU) { + OutputView.printOutput(`${OUTPUT.MENU.GIVEAWAY_MENU}`); + OutputView.printOutput(`${GIVEAWAY_MENU}`); + OutputView.printOutput(''); + } + + #eventDetails(EVENT_DETAILS_RESULT) { + if (EVENT_DETAILS_RESULT === '์—†์Œ') { + OutputView.printOutput(`${OUTPUT.BENEFIT.LIST}`); + OutputView.printOutput(`${EVENT_DETAILS_RESULT}`); + OutputView.printOutput(''); + return; + } + this.#validEventDetails(EVENT_DETAILS_RESULT); + } + + #validEventDetails(EVENT_DETAILS_RESULT) { + OutputView.printOutput(OUTPUT.BENEFIT.LIST); + Object.keys(EVENT_DETAILS_RESULT).forEach((event, idx) => { + if (EVENT_DETAILS_RESULT[event] > 0) { + OutputView.printOutput(`${EVENT_NAMES[idx]}: -${EVENT_DETAILS_RESULT[event].toLocaleString()}์›`); + } + }); + OutputView.printOutput(''); + } + + #totalBenefitAmount(BENEFIT_AMOUNT_RESULT) { + OutputView.printOutput(`${OUTPUT.BENEFIT.TOTAL_BENEFIT_AMOUNT}`); + OutputView.printOutput(`-${BENEFIT_AMOUNT_RESULT.toLocaleString()}์›`); + OutputView.printOutput(''); + } + + #expectPaymentAmount(EXPEXT_PAYMENT_AMOUNT) { + OutputView.printOutput(`${OUTPUT.TOTAL_AMOUNT.AFTER_DISCOUNT}`); + OutputView.printOutput(`${EXPEXT_PAYMENT_AMOUNT.toLocaleString()}์›`); + OutputView.printOutput(''); + } + + #evnetBadge(BADGE) { + OutputView.printOutput(`${OUTPUT.EVENT.BADGE}`); + OutputView.printOutput(`${BADGE}`); + OutputView.printOutput(''); + } + + print(AMOUNT_RESULT, BENEFIT_RESULT) { + this.#totalOrderAmount(AMOUNT_RESULT.TOTAL_AMOUNT); + this.#giveawayMenu(BENEFIT_RESULT.GIVEAWAY_MENU); + this.#eventDetails(BENEFIT_RESULT.EVENT_DETAILS_RESULT); + this.#totalBenefitAmount(AMOUNT_RESULT.BENEFIT_AMOUNT_RESULT); + this.#expectPaymentAmount(AMOUNT_RESULT.EXPECT_PAYMENT_AMOUNT); + this.#evnetBadge(BENEFIT_RESULT.BADGE); + } +} + +export default PrintEventResult;
JavaScript
```jsx OutputView.printOutput(''); ``` ์ด ๋ฌธ๊ตฌ ๊ฐœํ–‰๋•Œ๋ฌธ์— ์ž…๋ ฅํ•˜์‹  ๊ฒƒ ๊ฐ™์€๋ฐ `์›`๋„ ๋ณ€์ˆ˜ํ™” ํ•˜์…”์„œ `์›\n`์„ ํ•˜์…”๋„ ๋˜๊ณ  ๊ทธ ๋‹ค์Œ ๋ฌธ๊ตฌ์— `OutputView.printOutput(${OUTPUT.EVENT.BADGE});`๊ฐ€ ๋‚˜์˜ค๋‹ˆ `BADGE: '\n<12์›” ์ด๋ฒคํŠธ ๋ฐฐ์ง€>'` ์ด๋Ÿฐ์‹์œผ๋กœ ์ถ”๊ฐ€ํ•˜๋ฉด ์ฝ”๋“œ๊ฐ€ ์กฐ๊ธˆ ๋” ๊น”๋”ํ•ด ์งˆ ๊ฒƒ ๊ฐ™์•„์š” !
@@ -0,0 +1,56 @@ +import { WEEKDAY_DISCOUNT_DATE, WEEKEND_DISCOUNT_DATE, SPECIAL_DISCOUNT_DATE } from '../../utils/constant/event.js'; +import { MENUS } from '../../utils/constant/menu.js'; + +class CalculateEventBenefit { + #event = { + christmas: 0, + weekday: 0, + weekend: 0, + special: 0, + giveaway: 0, + }; + + #christmasEvent(visitDate) { + if (visitDate > 0 && visitDate < 26) { + this.#event.christmas = 1000 + (visitDate - 1) * 100; + } + } + + #specialEvent(visitDate) { + if (SPECIAL_DISCOUNT_DATE.includes(visitDate)) { + this.#event.special = 1000; + } + } + + #weekdayEvent(order, DESSERT, visitDate) { + if ( + WEEKDAY_DISCOUNT_DATE.includes(visitDate) && + DESSERT.includes(order.menu) + ) { + this.#event.weekday += 2023 * order.cnt; + } + } + + #weekendEvent(order, MAIN, visitDate) { + if ( + WEEKEND_DISCOUNT_DATE.includes(visitDate) && + MAIN.includes(order.menu) + ) { + this.#event.weekend += 2023 * order.cnt; + } + } + + result(visitDate, orderMenu) { + const DESSERT = Object.keys(MENUS.Dessert); + const MAIN = Object.keys(MENUS.Main); + this.#christmasEvent(visitDate); + this.#specialEvent(visitDate); + orderMenu.forEach((order) => { + this.#weekdayEvent(order, DESSERT, visitDate); + this.#weekendEvent(order, MAIN, visitDate); + }); + return this.#event; + } +} + +export default CalculateEventBenefit;
JavaScript
```jsx #event = { christmas: 0, weekday: 0, weekend: 0, special: 0, giveaway: 0, }; ``` ์ด๋ ‡๊ฒŒ ์ž‘์„ฑํ•˜์‹  ๊ฒƒ ์ฒ˜๋Ÿผ ํ•ด๋‹น ์ƒ์ˆ˜ ๊ฐ’๋„ ๊ณ ์ •๊ฐ’์ด๋‹ˆ ๋ณ€์ˆ˜ํ™”ํ•ด์„œ ์˜๋ฏธ๋ฅผ ๋ถ€์—ฌํ•˜๋Š” ๊ฒƒ๋„ ๊ดœ์ฐฎ์„ ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค !
@@ -0,0 +1,41 @@ +import VisitDateError from '../../../utils/error/type/visit_date_error.js'; +import printError from '../../../utils/error/print_error.js'; +import INPUT_QUESTION from '../../../utils/constant/input_question.js'; +import OUTPUT from '../../../utils/constant/output.js'; +import InputView from '../../../utils/view_type/InputView.js'; +import OutputView from '../../../utils/view_type/OutputView.js'; + +class VisitDateManage { + #visitDate = null; + + get getVisitDate() { + return this.#visitDate; + } + + async firstGreeting() { + OutputView.printOutput(OUTPUT.FIRST_GREETING); + await this.#inputVisitDate(); + } + + async #inputVisitDate() { + while (true) { + this.#visitDate = await InputView.userInput(INPUT_QUESTION.VISIT_DATE); + if (this.#isValidDate()) { + break; + } + } + } + + #isValidDate() { + const ERROR = new VisitDateError(); + try { + ERROR.valid(this.#visitDate); + return true; + } catch (error) { + printError(error); + return false; + } + } +} + +export default VisitDateManage;
JavaScript
์š”๊ตฌ์‚ฌํ•ญ์— ์žˆ๋Š” ๋งŒ์•ฝ ํ˜•์‹์— ๋งž์ง€ ์•Š์œผ๋ฉด ์ƒˆ๋กœ์šด ๊ฐ’์„ ๋ฐ›์•„์˜ค๋Š” ๊ณผ์ •์ด ์—†๋Š”๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค. (ํ˜น์‹œ ์ œ๊ฐ€ ๋ชป ์ฐพ๋Š” ๊ฒƒ์ด๋ผ๋ฉด ์ œ์‹œํ•ด์ฃผ์‹œ๊ธฐ ๋ฐ”๋ž๋‹ˆ๋‹ค) ํ•ด๋‹น ๊ตฌ๋ฌธ์—์„œ๋Š” return false๋ฅผ ํ•˜๊ณ  ๊ทธ๋ƒฅ break์จ์„œ ๋น ์ ธ ๋‚˜์˜จ๊ฒƒ ๊ฐ™์€๋ฐ return false ๋Œ€์‹  return this.#inputVisitDate() ํ•˜๋ฉด ๋‹ค์‹œ ๊ฐ’์„ ๋ฐ›์•„ ์˜ฌ์ˆ˜ ์žˆ์„ ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,48 @@ +import CalculateOrderMenu from '../../model/calculate_order_menu.js'; +import PrintOrderMenu from '../../view/print_order_menu.js'; +import OrderMenuError from '../../../utils/error/type/order_menu_error.js'; +import printError from '../../../utils/error/print_error.js'; +import INPUT_QUESTION from '../../../utils/constant/input_question.js'; +import InputView from '../../../utils/view_type/InputView.js'; + +class OrderMenuManage { + #orderMenu = null; + + get getOrderMenu() { + return this.#orderMenu; + } + + async inputOrderMenu(visitDate) { + while (true) { + this.#orderMenu = await InputView.userInput(INPUT_QUESTION.ORDER_MENU); + this.#orderMenu = this.#calculateOrderMenu(); + if (this.#isValidOrderMenu()) { + break; + } + } + this.#print(visitDate); + } + + #calculateOrderMenu() { + const calculateOrderMenu = new CalculateOrderMenu(); + return calculateOrderMenu.calculate(this.#orderMenu); + } + + #isValidOrderMenu() { + const ERROR = new OrderMenuError(); + try { + ERROR.valid(this.#orderMenu); + return true; + } catch (error) { + printError(error); + return false; + } + } + + #print(visitDate) { + const printOrderMenu = new PrintOrderMenu(); + printOrderMenu.print(visitDate, this.#orderMenu); + } +} + +export default OrderMenuManage;
JavaScript
์ด ๋ถ€๋ถ„๋„ ๋‚ ์งœ ๋ฐ›์•„์˜ฌ๋•Œ์™€ ๋งˆ์ฐฌ๊ฐ€์ง€๋กœ ์ž˜๋ชป๋œ ๊ฒฝ์šฐ ์ƒˆ ๊ฐ’์„ ๊ฐ€์ ธ์˜ค๋Š” ๊ณผ์ •์ด ์—†์–ด๋ณด์ž…๋‹ˆ๋‹ค
@@ -0,0 +1,67 @@ +import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js'; +import CalculateEventDetails from '../../model/calculate_event_details.js'; +import PrintEventResult from '../../view/print_event_result.js'; + +class EventManage { + #visitDate; + #orderMenu; + + constructor(visitDate, orderMenu) { + this.#visitDate = Number(visitDate); + this.#orderMenu = orderMenu; + } + + totalOrderAmount() { + const TOTAL_AMOUNT = this.#calculateTotalOrderAmount(); + if (TOTAL_AMOUNT < 10000) { + return this.#printEventResult(TOTAL_AMOUNT, 0, null); + } + return this.#eventBenefit(TOTAL_AMOUNT); + } + + #eventBenefit(TOTAL_AMOUNT) { + const EVENT_DETAILS = this.#calculateEventDetails(); + EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0; + const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0); + this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS); + } + + #calculateTotalOrderAmount() { + const calculateTotalOrderAmount = new CalculateTotalOrderAmount(); + return calculateTotalOrderAmount.result(this.#orderMenu); + } + + #calculateEventDetails() { + const calculateEventDetails = new CalculateEventDetails(); + return calculateEventDetails.result(this.#visitDate, this.#orderMenu); + } + + #eventBadgeResult(BENEFIT_AMOUNT) { + if (BENEFIT_AMOUNT < 5000) { + return '์—†์Œ'; + } + if (BENEFIT_AMOUNT < 10000) { + return '๋ณ„'; + } + if (BENEFIT_AMOUNT < 20000) { + return 'ํŠธ๋ฆฌ'; + } + return '์‚ฐํƒ€'; + } + + #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) { + const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ƒดํŽ˜์ธ 1๊ฐœ' : '์—†์Œ'; + const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์—†์Œ' : EVENT_DETAILS; + const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์—†์Œ' : BENEFIT_AMOUNT; + const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT; + const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT; + const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT); + + const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT }; + const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE }; + const printEventResult = new PrintEventResult(); + printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT); + } +} + +export default EventManage;
JavaScript
์ด ๋ถ€๋ถ„์—์„œ 10000์ด ์–ด๋–ค ์˜๋ฏธ๋ฅผ ๊ฐ–๊ณ  ์žˆ๋Š”์ง€ ํŒ๋‹จํ•˜๊ธฐ ํž˜๋“ญ๋‹ˆ๋‹ค. ์ด ํ›„๋กœ๋„ ์ˆซ์ž๊ฐ€ ํ•˜๋“œ์ฝ”๋”ฉ ๋œ ๊ฒฝ์šฐ๊ฐ€ ์žˆ๋Š”๋ฐ ์˜๋ฏธ๋ฅผ ๊ฐ€์งˆ ์ˆ˜ ์žˆ๋„๋ก ์ƒ์ˆ˜์ชฝ์œผ๋กœ ๋นผ์ฃผ๋Š” ๊ฒƒ์€ ์–ด๋–จ๊นŒ์š”?
@@ -0,0 +1,67 @@ +import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js'; +import CalculateEventDetails from '../../model/calculate_event_details.js'; +import PrintEventResult from '../../view/print_event_result.js'; + +class EventManage { + #visitDate; + #orderMenu; + + constructor(visitDate, orderMenu) { + this.#visitDate = Number(visitDate); + this.#orderMenu = orderMenu; + } + + totalOrderAmount() { + const TOTAL_AMOUNT = this.#calculateTotalOrderAmount(); + if (TOTAL_AMOUNT < 10000) { + return this.#printEventResult(TOTAL_AMOUNT, 0, null); + } + return this.#eventBenefit(TOTAL_AMOUNT); + } + + #eventBenefit(TOTAL_AMOUNT) { + const EVENT_DETAILS = this.#calculateEventDetails(); + EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0; + const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0); + this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS); + } + + #calculateTotalOrderAmount() { + const calculateTotalOrderAmount = new CalculateTotalOrderAmount(); + return calculateTotalOrderAmount.result(this.#orderMenu); + } + + #calculateEventDetails() { + const calculateEventDetails = new CalculateEventDetails(); + return calculateEventDetails.result(this.#visitDate, this.#orderMenu); + } + + #eventBadgeResult(BENEFIT_AMOUNT) { + if (BENEFIT_AMOUNT < 5000) { + return '์—†์Œ'; + } + if (BENEFIT_AMOUNT < 10000) { + return '๋ณ„'; + } + if (BENEFIT_AMOUNT < 20000) { + return 'ํŠธ๋ฆฌ'; + } + return '์‚ฐํƒ€'; + } + + #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) { + const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ƒดํŽ˜์ธ 1๊ฐœ' : '์—†์Œ'; + const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์—†์Œ' : EVENT_DETAILS; + const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์—†์Œ' : BENEFIT_AMOUNT; + const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT; + const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT; + const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT); + + const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT }; + const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE }; + const printEventResult = new PrintEventResult(); + printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT); + } +} + +export default EventManage;
JavaScript
else๋ฅผ ์ง€์–‘ํ•˜๋ผ๊ณ  ํ•œ ๊ฒƒ์˜ ์˜๋ฏธ๊ฐ€ ๊ฑฐ์˜ ๋น„์Šทํ•œ ์˜๋ฏธ๋ฅผ ๊ฐ–๊ณ  ์žˆ๋Š” ์‚ผํ•ญ ์—ฐ์‚ฐ์ž๋ฅผ ์“ฐ๋ผ๊ณ  ํ•œ ๊ฒƒ์€ ์•„๋‹ˆ๋ผ๊ณ  ์ƒ๊ฐํ•˜๋Š”๋ฐ, ์‚ผํ•ญ ์—ฐ์‚ฐ์ž๋ฅผ ์“ด ์ด์œ ๊ฐ€ ๋”ฐ๋กœ ์žˆ์„๊นŒ์š”?
@@ -0,0 +1,67 @@ +import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js'; +import CalculateEventDetails from '../../model/calculate_event_details.js'; +import PrintEventResult from '../../view/print_event_result.js'; + +class EventManage { + #visitDate; + #orderMenu; + + constructor(visitDate, orderMenu) { + this.#visitDate = Number(visitDate); + this.#orderMenu = orderMenu; + } + + totalOrderAmount() { + const TOTAL_AMOUNT = this.#calculateTotalOrderAmount(); + if (TOTAL_AMOUNT < 10000) { + return this.#printEventResult(TOTAL_AMOUNT, 0, null); + } + return this.#eventBenefit(TOTAL_AMOUNT); + } + + #eventBenefit(TOTAL_AMOUNT) { + const EVENT_DETAILS = this.#calculateEventDetails(); + EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0; + const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0); + this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS); + } + + #calculateTotalOrderAmount() { + const calculateTotalOrderAmount = new CalculateTotalOrderAmount(); + return calculateTotalOrderAmount.result(this.#orderMenu); + } + + #calculateEventDetails() { + const calculateEventDetails = new CalculateEventDetails(); + return calculateEventDetails.result(this.#visitDate, this.#orderMenu); + } + + #eventBadgeResult(BENEFIT_AMOUNT) { + if (BENEFIT_AMOUNT < 5000) { + return '์—†์Œ'; + } + if (BENEFIT_AMOUNT < 10000) { + return '๋ณ„'; + } + if (BENEFIT_AMOUNT < 20000) { + return 'ํŠธ๋ฆฌ'; + } + return '์‚ฐํƒ€'; + } + + #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) { + const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ƒดํŽ˜์ธ 1๊ฐœ' : '์—†์Œ'; + const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์—†์Œ' : EVENT_DETAILS; + const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์—†์Œ' : BENEFIT_AMOUNT; + const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT; + const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT; + const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT); + + const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT }; + const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE }; + const printEventResult = new PrintEventResult(); + printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT); + } +} + +export default EventManage;
JavaScript
์ž…๋ ฅ 2๊ฐœ์™€ ์ด๋ฒคํŠธ๋กœ ํด๋ž˜์Šค๋ฅผ ๋‚˜๋ˆ„์…จ๋˜๋ฐ ๋ฐฐ์ง€๋Š” ๋‚˜๋จธ์ง€ ์ชฝ(ํ• ์ธ์ด๋‚˜ ํ˜œํƒ ๋“ฑ ๊ณ„์‚ฐํŒŒํŠธ)์™€ ๊ธฐ๋Šฅ์ด ๋‹ฌ๋ผ๋ณด์ด๋Š”๋ฐ ๋‹ค๋ฅธ ํด๋ž˜์Šค๋กœ ๋นผ๋Š”๊ฒƒ์€ ์–ด๋–จ๊นŒ์š”
@@ -0,0 +1,41 @@ +import VisitDateError from '../../../utils/error/type/visit_date_error.js'; +import printError from '../../../utils/error/print_error.js'; +import INPUT_QUESTION from '../../../utils/constant/input_question.js'; +import OUTPUT from '../../../utils/constant/output.js'; +import InputView from '../../../utils/view_type/InputView.js'; +import OutputView from '../../../utils/view_type/OutputView.js'; + +class VisitDateManage { + #visitDate = null; + + get getVisitDate() { + return this.#visitDate; + } + + async firstGreeting() { + OutputView.printOutput(OUTPUT.FIRST_GREETING); + await this.#inputVisitDate(); + } + + async #inputVisitDate() { + while (true) { + this.#visitDate = await InputView.userInput(INPUT_QUESTION.VISIT_DATE); + if (this.#isValidDate()) { + break; + } + } + } + + #isValidDate() { + const ERROR = new VisitDateError(); + try { + ERROR.valid(this.#visitDate); + return true; + } catch (error) { + printError(error); + return false; + } + } +} + +export default VisitDateManage;
JavaScript
3์ฃผ์ฐจ ๊ณตํ†ต ํ”ผ๋“œ๋ฐฑ์— "๊ฐ์ฒด๋กœ๋ถ€ํ„ฐ ๋ฐ์ดํ„ฐ๋ฅผ ๊บผ๋‚ด๋Š” ๊ฒƒ(get)์ด ์•„๋‹ˆ๋ผ, ๋ฉ”์‹œ์ง€๋ฅผ ๋˜์ง€๋„๋ก ๊ตฌ์กฐ๋ฅผ ๋ฐ”๊ฟ” ๋ฐ์ดํ„ฐ๋ฅผ ๊ฐ€์ง€๋Š” ๊ฐœ์ฒด๊ฐ€ ์ผํ•˜๋„๋ก ํ•ด์•ผํ•œ๋‹ค"๊ณ  ํ–ˆ๋Š”๋ฐ, getter๋ฅผ ์‚ฌ์šฉํ•˜์ง€ ์•Š๊ณ  ํ•ด๊ฒฐํ•  ๋ฐฉ๋ฒ•์„ ๊ณ ๋ฏผํ•ด๋ณด๋Š” ๊ฒƒ๋„ ์ข‹์„ ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,41 @@ +import VisitDateError from '../../../utils/error/type/visit_date_error.js'; +import printError from '../../../utils/error/print_error.js'; +import INPUT_QUESTION from '../../../utils/constant/input_question.js'; +import OUTPUT from '../../../utils/constant/output.js'; +import InputView from '../../../utils/view_type/InputView.js'; +import OutputView from '../../../utils/view_type/OutputView.js'; + +class VisitDateManage { + #visitDate = null; + + get getVisitDate() { + return this.#visitDate; + } + + async firstGreeting() { + OutputView.printOutput(OUTPUT.FIRST_GREETING); + await this.#inputVisitDate(); + } + + async #inputVisitDate() { + while (true) { + this.#visitDate = await InputView.userInput(INPUT_QUESTION.VISIT_DATE); + if (this.#isValidDate()) { + break; + } + } + } + + #isValidDate() { + const ERROR = new VisitDateError(); + try { + ERROR.valid(this.#visitDate); + return true; + } catch (error) { + printError(error); + return false; + } + } +} + +export default VisitDateManage;
JavaScript
๋ณ€์ˆ˜๋ช…์„ `ERROR`๋กœ ํ•˜์‹  ์ด์œ ๊ฐ€ ๊ถ๊ธˆํ•ฉ๋‹ˆ๋‹ค.
@@ -0,0 +1,41 @@ +import VisitDateError from '../../../utils/error/type/visit_date_error.js'; +import printError from '../../../utils/error/print_error.js'; +import INPUT_QUESTION from '../../../utils/constant/input_question.js'; +import OUTPUT from '../../../utils/constant/output.js'; +import InputView from '../../../utils/view_type/InputView.js'; +import OutputView from '../../../utils/view_type/OutputView.js'; + +class VisitDateManage { + #visitDate = null; + + get getVisitDate() { + return this.#visitDate; + } + + async firstGreeting() { + OutputView.printOutput(OUTPUT.FIRST_GREETING); + await this.#inputVisitDate(); + } + + async #inputVisitDate() { + while (true) { + this.#visitDate = await InputView.userInput(INPUT_QUESTION.VISIT_DATE); + if (this.#isValidDate()) { + break; + } + } + } + + #isValidDate() { + const ERROR = new VisitDateError(); + try { + ERROR.valid(this.#visitDate); + return true; + } catch (error) { + printError(error); + return false; + } + } +} + +export default VisitDateManage;
JavaScript
(์ง€๋‚˜๊ฐ€๋‹ค) ์˜ˆ์™ธ๊ฐ€ ๋ฐœ์ƒํ•˜์—ฌ `return false`๋ฅผ ํ•˜๋ฉด `#inputVisitDate()` ๋ฉ”์„œ๋“œ์—์„œ ์กฐ๊ฑด์‹์— ๊ฑธ๋ฆฌ์ง€ ์•Š์„ ๊ฒƒ์ด๊ณ , ๋ฌดํ•œ ๋ฃจํ”„์— ์˜ํ•ด ์žฌ์ž…๋ ฅ์„ ๋ฐ›๊ฒŒ๋  ๊ฒƒ ๊ฐ™๋„ค์š”! ๋ฌดํ•œ ๋ฃจํ”„๊ฐ€ ์•„๋‹Œ ๋‹ค๋ฅธ ๋ฐฉ์‹์˜ ํ•ด๊ฒฐ๋ฐฉ๋ฒ•๋„ ๊ณ ๋ฏผํ•ด๋ณด๋ฉด ์ข‹์„ ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,29 @@ +import VisitDateManage from '../child/visit_date_manage.js'; +import OrderMenuManage from '../child/order_menu_manage.js'; +import EventManage from '../child/event_manage.js'; + +class PlannerManage { + #VISIT_DATE = null; + #ORDER_MENU = null; + + async visitDate() { + const visitDateManage = new VisitDateManage(); + await visitDateManage.firstGreeting(); + this.#VISIT_DATE = visitDateManage.getVisitDate; + await this.#orderMenu(); + } + + async #orderMenu() { + const orderMenuManage = new OrderMenuManage(); + await orderMenuManage.inputOrderMenu(this.#VISIT_DATE); + this.#ORDER_MENU = orderMenuManage.getOrderMenu; + await this.#eventDetails(); + } + + async #eventDetails() { + const eventManage = new EventManage(this.#VISIT_DATE, this.#ORDER_MENU); + eventManage.totalOrderAmount(); + } +} + +export default PlannerManage;
JavaScript
3์ฃผ์ฐจ ๊ณตํ†ต ํ”ผ๋“œ๋ฐฑ์— ํ•„๋“œ์˜ ์ˆ˜๋ฅผ ์ตœ์†Œํ™”ํ•œ๋‹ค๋Š” ์ฝ”๋ฉ˜ํŠธ๊ฐ€ ์žˆ๋Š”๋ฐ, ํ•„๋“œ๋ฅผ ์‚ฌ์šฉํ•˜์ง€ ์•Š๊ณ  ์ธ์ž๋กœ ์ „ํ•ด์ฃผ์–ด ์‚ฌ์šฉํ–ˆ๋‹ค๋ฉด ์–ด๋• ์„๊นŒ์š”?
@@ -0,0 +1,29 @@ +import VisitDateManage from '../child/visit_date_manage.js'; +import OrderMenuManage from '../child/order_menu_manage.js'; +import EventManage from '../child/event_manage.js'; + +class PlannerManage { + #VISIT_DATE = null; + #ORDER_MENU = null; + + async visitDate() { + const visitDateManage = new VisitDateManage(); + await visitDateManage.firstGreeting(); + this.#VISIT_DATE = visitDateManage.getVisitDate; + await this.#orderMenu(); + } + + async #orderMenu() { + const orderMenuManage = new OrderMenuManage(); + await orderMenuManage.inputOrderMenu(this.#VISIT_DATE); + this.#ORDER_MENU = orderMenuManage.getOrderMenu; + await this.#eventDetails(); + } + + async #eventDetails() { + const eventManage = new EventManage(this.#VISIT_DATE, this.#ORDER_MENU); + eventManage.totalOrderAmount(); + } +} + +export default PlannerManage;
JavaScript
๋„๋ฉ”์ธ ๋กœ์ง๊ณผ UI ๋กœ์ง์ด ๋ถ„๋ฆฌ๋˜์–ด ์žˆ์ง€์•Š์€ ์ฑ„ ๋กœ์ง์ด ์ „๊ฐœ๋˜๋‹ค ๋ณด๋‹ˆ ํฐ ํ๋ฆ„์„ ํŒŒ์•…ํ•˜๊ธฐ ์–ด๋ ค์›Œ๋ณด์ž…๋‹ˆ๋‹ค. PlannerManage์—์„œ๋Š” ํŽ˜์ด์ฆˆ๋ฅผ ๋‚˜๋ˆ„๊ณ  ๋„ค์ด๋ฐ์„ ํ†ตํ•ด ํฐ ํ”„๋กœ์„ธ์Šค๋ฅผ ํ‘œํ˜„ํ•˜๊ณ , ๋‚ด๋ถ€ ๋™์ž‘์€ ๋„๋ฉ”์ธ, UI ๋กœ์ง์„ ๋ถ„๋ฆฌํ•˜์—ฌ ๋‹ด๋‹นํ•˜๋„๋ก ํ•˜๋ฉด ๋”์šฑ ์˜๋ฏธ๊ฐ€ ๋“œ๋Ÿฌ๋‚˜๊ณ  ํ”„๋กœ์„ธ์Šค๋ฅผ ์ดํ•ดํ•˜๊ธฐ ์ˆ˜์›”ํ•  ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,67 @@ +import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js'; +import CalculateEventDetails from '../../model/calculate_event_details.js'; +import PrintEventResult from '../../view/print_event_result.js'; + +class EventManage { + #visitDate; + #orderMenu; + + constructor(visitDate, orderMenu) { + this.#visitDate = Number(visitDate); + this.#orderMenu = orderMenu; + } + + totalOrderAmount() { + const TOTAL_AMOUNT = this.#calculateTotalOrderAmount(); + if (TOTAL_AMOUNT < 10000) { + return this.#printEventResult(TOTAL_AMOUNT, 0, null); + } + return this.#eventBenefit(TOTAL_AMOUNT); + } + + #eventBenefit(TOTAL_AMOUNT) { + const EVENT_DETAILS = this.#calculateEventDetails(); + EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0; + const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0); + this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS); + } + + #calculateTotalOrderAmount() { + const calculateTotalOrderAmount = new CalculateTotalOrderAmount(); + return calculateTotalOrderAmount.result(this.#orderMenu); + } + + #calculateEventDetails() { + const calculateEventDetails = new CalculateEventDetails(); + return calculateEventDetails.result(this.#visitDate, this.#orderMenu); + } + + #eventBadgeResult(BENEFIT_AMOUNT) { + if (BENEFIT_AMOUNT < 5000) { + return '์—†์Œ'; + } + if (BENEFIT_AMOUNT < 10000) { + return '๋ณ„'; + } + if (BENEFIT_AMOUNT < 20000) { + return 'ํŠธ๋ฆฌ'; + } + return '์‚ฐํƒ€'; + } + + #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) { + const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ƒดํŽ˜์ธ 1๊ฐœ' : '์—†์Œ'; + const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์—†์Œ' : EVENT_DETAILS; + const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์—†์Œ' : BENEFIT_AMOUNT; + const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT; + const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT; + const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT); + + const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT }; + const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE }; + const printEventResult = new PrintEventResult(); + printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT); + } +} + +export default EventManage;
JavaScript
10,000๋„ ์ƒ์ˆ˜๋กœ ๊ด€๋ฆฌํ•ด์ฃผ๋ฉด ๋”์šฑ ์ข‹์„ ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค. ์˜๋ฏธ๋ฅผ ํŒŒ์•…ํ•˜๊ธฐ๋„ ์ˆ˜์›”ํ•˜๊ณ , ๋งŒ์•ฝ ์กฐ๊ฑด์ด ๋ณ€๊ฒฝ๋˜๋Š” ์ƒํ™ฉ์ด ์žˆ๋Š” ๊ฒฝ์šฐ ์ˆ˜์ •ํ•˜๊ธฐ ์ˆ˜์›”ํ•˜๋‹ค๊ณ  ์ƒ๊ฐํ•ฉ๋‹ˆ๋‹ค.
@@ -0,0 +1,67 @@ +import CalculateTotalOrderAmount from '../../model/calculate_total_order_amount.js'; +import CalculateEventDetails from '../../model/calculate_event_details.js'; +import PrintEventResult from '../../view/print_event_result.js'; + +class EventManage { + #visitDate; + #orderMenu; + + constructor(visitDate, orderMenu) { + this.#visitDate = Number(visitDate); + this.#orderMenu = orderMenu; + } + + totalOrderAmount() { + const TOTAL_AMOUNT = this.#calculateTotalOrderAmount(); + if (TOTAL_AMOUNT < 10000) { + return this.#printEventResult(TOTAL_AMOUNT, 0, null); + } + return this.#eventBenefit(TOTAL_AMOUNT); + } + + #eventBenefit(TOTAL_AMOUNT) { + const EVENT_DETAILS = this.#calculateEventDetails(); + EVENT_DETAILS.giveaway = TOTAL_AMOUNT >= 120000 ? 25000 : 0; + const BENEFIT_AMOUNT = Object.values(EVENT_DETAILS).reduce((acc, cur) => acc + cur, 0); + this.#printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS); + } + + #calculateTotalOrderAmount() { + const calculateTotalOrderAmount = new CalculateTotalOrderAmount(); + return calculateTotalOrderAmount.result(this.#orderMenu); + } + + #calculateEventDetails() { + const calculateEventDetails = new CalculateEventDetails(); + return calculateEventDetails.result(this.#visitDate, this.#orderMenu); + } + + #eventBadgeResult(BENEFIT_AMOUNT) { + if (BENEFIT_AMOUNT < 5000) { + return '์—†์Œ'; + } + if (BENEFIT_AMOUNT < 10000) { + return '๋ณ„'; + } + if (BENEFIT_AMOUNT < 20000) { + return 'ํŠธ๋ฆฌ'; + } + return '์‚ฐํƒ€'; + } + + #printEventResult(TOTAL_AMOUNT, BENEFIT_AMOUNT, EVENT_DETAILS) { + const GIVEAWAY_MENU = TOTAL_AMOUNT >= 120000 ? '์ƒดํŽ˜์ธ 1๊ฐœ' : '์—†์Œ'; + const EVENT_DETAILS_RESULT = EVENT_DETAILS === null ? '์—†์Œ' : EVENT_DETAILS; + const BENEFIT_AMOUNT_RESULT = BENEFIT_AMOUNT === 0 ? '์—†์Œ' : BENEFIT_AMOUNT; + const DISCOUNT_AMOUNT = TOTAL_AMOUNT >= 120000 ? BENEFIT_AMOUNT - 25000 : BENEFIT_AMOUNT; + const EXPECT_PAYMENT_AMOUNT = TOTAL_AMOUNT - DISCOUNT_AMOUNT; + const BADGE = this.#eventBadgeResult(BENEFIT_AMOUNT); + + const AMOUNT_RESULT = { TOTAL_AMOUNT, BENEFIT_AMOUNT_RESULT, EXPECT_PAYMENT_AMOUNT }; + const BENEFIT_RESULT = { GIVEAWAY_MENU, EVENT_DETAILS_RESULT, BADGE }; + const printEventResult = new PrintEventResult(); + printEventResult.print(AMOUNT_RESULT, BENEFIT_RESULT); + } +} + +export default EventManage;
JavaScript
์‚ฌ์†Œํ•˜์ง€๋งŒ, ์กฐ๊ฑด์„ ์—ญ์ˆœ์œผ๋กœ ์ ์—ˆ๋‹ค๋ฉด ๋” ์ดํ•ดํ•˜๊ธฐ ์ˆ˜์›”ํ•  ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค. `20000 ์ด์ƒ: ์‚ฐํƒ€ / 10000 ์ด์ƒ: ํŠธ๋ฆฌ / 5000 ์ด์ƒ: ๋ณ„ / ๋‚˜๋จธ์ง€: ์—†์Œ`
@@ -0,0 +1,28 @@ +const EVENT_NAMES = ['ํฌ๋ฆฌ์Šค๋งˆ์Šค ๋””๋ฐ์ด ํ• ์ธ', 'ํ‰์ผ ํ• ์ธ', '์ฃผ๋ง ํ• ์ธ', 'ํŠน๋ณ„ ํ• ์ธ', '์ฆ์ • ์ด๋ฒคํŠธ']; + +const WEEKDAY_DISCOUNT_DATE = [ + 3, 4, 5, 6, 7, 10, 11, 12, 13, 14, 17, + 18, 19, 20, 21, 24, 25, 26, 27, 28, 31, +]; + +const WEEKEND_DISCOUNT_DATE = [ + 1, 2, 8, 9, 15, 16, 22, 23, 29, 30, +]; + +const SPECIAL_DISCOUNT_DATE = [ + 3, 10, 17, 24, 25, 31, +]; + +Object.freeze( + EVENT_NAMES, + WEEKDAY_DISCOUNT_DATE, + WEEKEND_DISCOUNT_DATE, + SPECIAL_DISCOUNT_DATE, +); + +export { + EVENT_NAMES, + WEEKDAY_DISCOUNT_DATE, + WEEKEND_DISCOUNT_DATE, + SPECIAL_DISCOUNT_DATE, +};
JavaScript
์—ฌ๋Ÿฌ ๊ฐœ์˜ ์ธ์ž๋ฅผ ๋„˜๊ฒจ์ฃผ๊ณ  freeze ๋ฉ”์„œ๋“œ๋ฅผ ํ˜ธ์ถœํ•˜๋ฉด ํ”„๋ฆฌ์ง•๋˜์ง€ ์•Š์„ ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,33 @@ +const MENU_NAMES = [ + '์–‘์†ก์ด์ˆ˜ํ”„', 'ํƒ€ํŒŒ์Šค', '์‹œ์ €์ƒ๋Ÿฌ๋“œ', + 'ํ‹ฐ๋ณธ์Šคํ…Œ์ดํฌ', '๋ฐ”๋น„ํ๋ฆฝ', 'ํ•ด์‚ฐ๋ฌผํŒŒ์Šคํƒ€', 'ํฌ๋ฆฌ์Šค๋งˆ์ŠคํŒŒ์Šคํƒ€', + '์ดˆ์ฝ”์ผ€์ดํฌ', '์•„์ด์Šคํฌ๋ฆผ', + '์ œ๋กœ์ฝœ๋ผ', '๋ ˆ๋“œ์™€์ธ', '์ƒดํŽ˜์ธ', +]; + +const MENUS = { + Epitizer: { + ์–‘์†ก์ด์ˆ˜ํ”„: 6000, + ํƒ€ํŒŒ์Šค: 5500, + ์‹œ์ €์ƒ๋Ÿฌ๋“œ: 8000, + }, + Main: { + ํ‹ฐ๋ณธ์Šคํ…Œ์ดํฌ: 55000, + ๋ฐ”๋น„ํ๋ฆฝ: 54000, + ํ•ด์‚ฐ๋ฌผํŒŒ์Šคํƒ€: 35000, + ํฌ๋ฆฌ์Šค๋งˆ์ŠคํŒŒ์Šคํƒ€: 25000, + }, + Dessert: { + ์ดˆ์ฝ”์ผ€์ดํฌ: 15000, + ์•„์ด์Šคํฌ๋ฆผ: 5000, + }, + Drink: { + ์ œ๋กœ์ฝœ๋ผ: 3000, + ๋ ˆ๋“œ์™€์ธ: 60000, + ์ƒดํŽ˜์ธ: 25000, + }, +}; + +Object.freeze(MENU_NAMES, MENUS); + +export { MENU_NAMES, MENUS };
JavaScript
์ค‘์ฒฉ๋œ ๊ฐ์ฒด์˜ ๊ฒฝ์šฐ, ์™ธ๋ถ€๋ฅผ ํ”„๋ฆฌ์ง• ํ•ด์ฃผ์–ด๋„ ๋‚ด๋ถ€๋Š” ํ”„๋ฆฌ์ง• ๋˜์ง€ ์•Š์Šต๋‹ˆ๋‹ค. deep freeze ํ‚ค์›Œ๋“œ๋กœ ํ•™์Šตํ•ด๋ณด๋Š” ๊ฒƒ์„ ์ถ”์ฒœ๋“œ๋ฆฝ๋‹ˆ๋‹ค.
@@ -0,0 +1,31 @@ +package dto; + +import domain.car.Car; + +import java.util.List; +import java.util.stream.Collectors; +import java.util.stream.IntStream; + +import static util.Splitter.BLANK; + +public class CarDto { + private String name; + private List<String> whiteSpaceList; + + public CarDto(Car car) { + assert car != null; + this.name = car.getName(); + this.whiteSpaceList = IntStream.range(0, car.getPosition()) + .mapToObj(num -> BLANK) + .collect(Collectors.toList()); + } + + public String getName() { + return name; + } + + public List<String> getWhiteSpaceList() { + return whiteSpaceList; + } + +}
Java
carDto์˜ position์€ ์ƒ์„ฑ์ž์—์„œ whiteSpaceList ๋งŒ๋“œ๋Š” ๊ฑธ ์ œ์™ธํ•˜๊ณค ์“ฐ๋Š”๋ฐ๊ฐ€ ์—†๋Š” ๊ฒƒ ๊ฐ™์€๋ฐ, carDto์—์„œ ๋นผ๋Š” ๊ฑด ์–ด๋–ป๊ฒŒ ์ƒ๊ฐํ•˜์‹œ๋‚˜์š”?
@@ -1,79 +1,83 @@ <!DOCTYPE html> <html> + <head> -<meta charset="UTF-8"> -<title>๋ ˆ์ด์Šค!</title> + <meta charset="UTF-8"> + <title>๋ ˆ์ด์Šค!</title> -<!-- Latest compiled and minified CSS --> -<link rel="stylesheet" - href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css" - integrity="sha384-BVYiiSIFeK1dGmJRAkycuHAHRg32OmUcww7on3RYdg4Va+PmSTsz/K68vbdEjh4u" - crossorigin="anonymous"> + <!-- Latest compiled and minified CSS --> + <link rel="stylesheet" + href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css" + integrity="sha384-BVYiiSIFeK1dGmJRAkycuHAHRg32OmUcww7on3RYdg4Va+PmSTsz/K68vbdEjh4u" + crossorigin="anonymous"> -<!-- Optional theme --> -<link rel="stylesheet" - href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap-theme.min.css" - integrity="sha384-rHyoN1iRsVXV4nD0JutlnGaslCJuC7uwjduW9SVrLvRYooPp2bWYgmgJQIXwl/Sp" - crossorigin="anonymous"> + <!-- Optional theme --> + <link rel="stylesheet" + href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap-theme.min.css" + integrity="sha384-rHyoN1iRsVXV4nD0JutlnGaslCJuC7uwjduW9SVrLvRYooPp2bWYgmgJQIXwl/Sp" + crossorigin="anonymous"> -<!-- Latest compiled and minified JavaScript --> -<script - src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js" - integrity="sha384-Tc5IQib027qvyjSMfHjOMaLkfuWVxZxUPnCJA7l2mCWNIpG9mGCD8wGNIcPD7Txa" - crossorigin="anonymous"></script> -<style> -body { - padding-top: 40px; - padding-bottom: 40px; - background-color: #eee; -} + <!-- Latest compiled and minified JavaScript --> + <script + src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js" + integrity="sha384-Tc5IQib027qvyjSMfHjOMaLkfuWVxZxUPnCJA7l2mCWNIpG9mGCD8wGNIcPD7Txa" + crossorigin="anonymous"></script> + <style> + body { + padding-top: 40px; + padding-bottom: 40px; + background-color: #eee; + } -.form-lotto { - max-width: 1000px; - padding: 15px; - margin: 0 auto; -} + .form-lotto { + max-width: 1000px; + padding: 15px; + margin: 0 auto; + } -.form-lotto .form-control { - position: relative; - height: auto; - -webkit-box-sizing: border-box; - -moz-box-sizing: border-box; - box-sizing: border-box; - padding: 10px; - font-size: 16px; -} + .form-lotto .form-control { + position: relative; + height: auto; + -webkit-box-sizing: border-box; + -moz-box-sizing: border-box; + box-sizing: border-box; + padding: 10px; + font-size: 16px; + } -.submit-button { - margin-top: 10px; -} -</style> + .submit-button { + margin-top: 10px; + } + </style> </head> <body> - <div class="container"> +<div class="container"> <div class="row"> - <div class="col-md-12"> + <div class="col-md-12"> - <h2 class="text-center">๋ฐ•์ง„๊ฐ ๋„˜์น˜๋Š” ์ž๋™์ฐจ ๋ ˆ์ด์‹ฑ ๊ฒŒ์ž„ with Pobi</h2> - <div class="form-show-div" class="form-group"> - <h3>๊ฒฐ๊ณผ์ž…๋‹ˆ๋‹ค</h3> - (์ด๋ฆ„๋งˆ๋‹ค ๋„์–ด์“ฐ๊ธฐ๋กœ ๊ตฌ๋ถ„ํ•ด ์ฃผ์„ธ์š”.) - <div id="standings">๋ฐ•์žฌ์„ฑ : &nbsp;&nbsp;&nbsp;&#128652;</div> - <div id="standings">์œค์ง€์ˆ˜ : &nbsp;&nbsp;&#128652;</div> - <div id="standings">์ •ํ˜ธ์˜ : &nbsp;&nbsp;&nbsp;&#128652;</div> - <div id="standings">๊น€์ • : &nbsp;&#128652;</div> - <br /> - <div>๋ฐ•์žฌ์„ฑ, ์ •ํ˜ธ์˜์ด ์šฐ์Šนํ–ˆ์Šต๋‹ˆ๋‹ค.</div> + <h2 class="text-center">๋ฐ•์ง„๊ฐ ๋„˜์น˜๋Š” ์ž๋™์ฐจ ๋ ˆ์ด์‹ฑ ๊ฒŒ์ž„ with Pobi</h2> + <div class="form-show-div" class="form-group"> + <h3>๊ฒฐ๊ณผ์ž…๋‹ˆ๋‹ค</h3> + (์ด๋ฆ„๋งˆ๋‹ค ๋„์–ด์“ฐ๊ธฐ๋กœ ๊ตฌ๋ถ„ํ•ด ์ฃผ์„ธ์š”.) + {{#cars}} + <div id="standings">{{name}} : {{#whiteSpaceList}}&nbsp;&nbsp;{{/whiteSpaceList}}&#128652;</div> + {{/cars}} + <br/> + <div>{{#winners}} + {{#if @last}} + {{this}} + {{else}} + {{this}}, + {{/if}} + {{/winners}}์ด ์šฐ์Šนํ–ˆ์Šต๋‹ˆ๋‹ค.</div> + </div> </div> - </div> </div> - </div> +</div> </body> -<script src="/js/race.js"> -</script> </html> \ No newline at end of file
Unknown
์ด ๋ถ€๋ถ„์„ ์–ด๋–ป๊ฒŒ ํ• ๊นŒ ๊ณ ๋ฏผํ•˜๋‹ค๊ฐ€..๊ทธ๋ƒฅ ๋ฌธ๊ตฌ๋ฅผ ์ˆ˜์ •ํ–ˆ๋Š”๋ฐ, ์ด ๋ถ„๊ธฐ๋ฌธ ๋„ฃ๋Š” ๊ฒƒ๋„ ์ƒ๊ฐํ•ด๋ด์•ผ๊ฒ ๋„ค์š”๐Ÿ‘
@@ -0,0 +1,79 @@ +package view; + +import domain.car.Car; +import domain.game.RacingGame; +import domain.game.Track; +import domain.random.RandomGenerator; +import domain.strategy.RandomMovingStrategy; +import dto.CarDto; +import dto.RacingGameRequestDto; +import spark.Route; +import util.Splitter; + +import java.util.HashMap; +import java.util.List; +import java.util.Random; + +import static java.util.stream.Collectors.toList; +import static util.RenderUtil.render; +import static util.Splitter.COMMA; + +public class WebRacingHandler { + public Route handleGetName() { + return (req, res) -> { + HashMap<String, Object> model = new HashMap<>(); + String names = req.queryParams("names"); + + List<String> splitNames = Splitter.splitBlank(names); + model.put("names", splitNames); + model.put("nameStrings", String.join(COMMA, splitNames)); + return render(model, "/game.html"); + }; + } + + public Route handleResult() { + return (req, res) -> { + final HashMap<String, Object> model = new HashMap<>(); + final RacingGameRequestDto racingGameRequestDto = new RacingGameRequestDto(Integer.parseInt(req.queryParams("turn")), req.queryParams("names")); + + final RacingGame racingGame = generateRacingGame(racingGameRequestDto); + + finishGame(racingGame); + Track track = racingGame.getTrack(); + + List<CarDto> carDtos = mapToCarDto(track); + List<String> nameOfWinners = mapToName(racingGame); + + + model.put("cars", carDtos); + model.put("winners", nameOfWinners); + return render(model, "/result.html"); + }; + } + + private void finishGame(RacingGame racingGame) { + while (!racingGame.isDone()) { + racingGame.proceedOneTurn(); + } + } + + private RacingGame generateRacingGame(RacingGameRequestDto racingGameRequestDto) { + final Random generate = RandomGenerator.generate(); + final RandomMovingStrategy movingStrategy = new RandomMovingStrategy(generate); + return RacingGame.newInstance(racingGameRequestDto.getNames(), racingGameRequestDto.getTurn(), movingStrategy); + } + + private List<String> mapToName(RacingGame racingGame) { + return racingGame.getWinner() + .stream() + .map(Car::getName) + .collect(toList()); + } + + private List<CarDto> mapToCarDto(Track track) { + return track.getCars() + .stream() + .map(CarDto::new) + .collect(toList()); + } +}
Java
๊ฒŒ์ž„์‹œ์ž‘์— ํ•„์š”ํ•œ input๊ณผ ๊ฒฐ๊ณผ๊ฐ’์ธ result๋ฅผ ๊ฐ€์ ธ์˜ค๋Š” ๋กœ์ง์„ ๋ฉ”์†Œ๋“œ๋กœ ๋ถ„๋ฆฌํ•˜๋ฉด ๋” ๊น”๋”ํ•ด ์งˆ๊ฑฐ ๊ฐ™์•„์š”
@@ -0,0 +1,79 @@ +package view; + +import domain.car.Car; +import domain.game.RacingGame; +import domain.game.Track; +import domain.random.RandomGenerator; +import domain.strategy.RandomMovingStrategy; +import dto.CarDto; +import dto.RacingGameRequestDto; +import spark.Route; +import util.Splitter; + +import java.util.HashMap; +import java.util.List; +import java.util.Random; + +import static java.util.stream.Collectors.toList; +import static util.RenderUtil.render; +import static util.Splitter.COMMA; + +public class WebRacingHandler { + public Route handleGetName() { + return (req, res) -> { + HashMap<String, Object> model = new HashMap<>(); + String names = req.queryParams("names"); + + List<String> splitNames = Splitter.splitBlank(names); + model.put("names", splitNames); + model.put("nameStrings", String.join(COMMA, splitNames)); + return render(model, "/game.html"); + }; + } + + public Route handleResult() { + return (req, res) -> { + final HashMap<String, Object> model = new HashMap<>(); + final RacingGameRequestDto racingGameRequestDto = new RacingGameRequestDto(Integer.parseInt(req.queryParams("turn")), req.queryParams("names")); + + final RacingGame racingGame = generateRacingGame(racingGameRequestDto); + + finishGame(racingGame); + Track track = racingGame.getTrack(); + + List<CarDto> carDtos = mapToCarDto(track); + List<String> nameOfWinners = mapToName(racingGame); + + + model.put("cars", carDtos); + model.put("winners", nameOfWinners); + return render(model, "/result.html"); + }; + } + + private void finishGame(RacingGame racingGame) { + while (!racingGame.isDone()) { + racingGame.proceedOneTurn(); + } + } + + private RacingGame generateRacingGame(RacingGameRequestDto racingGameRequestDto) { + final Random generate = RandomGenerator.generate(); + final RandomMovingStrategy movingStrategy = new RandomMovingStrategy(generate); + return RacingGame.newInstance(racingGameRequestDto.getNames(), racingGameRequestDto.getTurn(), movingStrategy); + } + + private List<String> mapToName(RacingGame racingGame) { + return racingGame.getWinner() + .stream() + .map(Car::getName) + .collect(toList()); + } + + private List<CarDto> mapToCarDto(Track track) { + return track.getCars() + .stream() + .map(CarDto::new) + .collect(toList()); + } +}
Java
๋ฉ”์†Œ๋“œ๋ฅผ ๋ถ„ํ•ดํ•ด๋„ ์ข‹์„๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค ๐Ÿ‘ !
@@ -0,0 +1,25 @@ +import view.WebRacingHandler; + +import java.util.HashMap; + +import static spark.Spark.*; +import static util.RenderUtil.render; + +public class WebMain { + public static final int PORT = 8080; + private static WebRacingHandler webRacingHandler = new WebRacingHandler(); + + public static void main(String[] args) { + port(PORT); + + get("/", (req, res) -> render(new HashMap<>(), "/index.html")); + + post("/name", webRacingHandler.handleGetName()); + + post("/result", webRacingHandler.handleResult()); + } + + + + +} \ No newline at end of file
Java
ํ—›, ๋ณ„๊ฑด์•„๋‹Œ๋ฐ `post`๊ฐ€ ์š”๊ตฌ์‚ฌํ•ญ์ด์—ˆ์Šต๋‹ˆ๋‹ค ๐Ÿ˜„
@@ -0,0 +1,79 @@ +package view; + +import domain.car.Car; +import domain.game.RacingGame; +import domain.game.Track; +import domain.random.RandomGenerator; +import domain.strategy.RandomMovingStrategy; +import dto.CarDto; +import dto.RacingGameRequestDto; +import spark.Route; +import util.Splitter; + +import java.util.HashMap; +import java.util.List; +import java.util.Random; + +import static java.util.stream.Collectors.toList; +import static util.RenderUtil.render; +import static util.Splitter.COMMA; + +public class WebRacingHandler { + public Route handleGetName() { + return (req, res) -> { + HashMap<String, Object> model = new HashMap<>(); + String names = req.queryParams("names"); + + List<String> splitNames = Splitter.splitBlank(names); + model.put("names", splitNames); + model.put("nameStrings", String.join(COMMA, splitNames)); + return render(model, "/game.html"); + }; + } + + public Route handleResult() { + return (req, res) -> { + final HashMap<String, Object> model = new HashMap<>(); + final RacingGameRequestDto racingGameRequestDto = new RacingGameRequestDto(Integer.parseInt(req.queryParams("turn")), req.queryParams("names")); + + final RacingGame racingGame = generateRacingGame(racingGameRequestDto); + + finishGame(racingGame); + Track track = racingGame.getTrack(); + + List<CarDto> carDtos = mapToCarDto(track); + List<String> nameOfWinners = mapToName(racingGame); + + + model.put("cars", carDtos); + model.put("winners", nameOfWinners); + return render(model, "/result.html"); + }; + } + + private void finishGame(RacingGame racingGame) { + while (!racingGame.isDone()) { + racingGame.proceedOneTurn(); + } + } + + private RacingGame generateRacingGame(RacingGameRequestDto racingGameRequestDto) { + final Random generate = RandomGenerator.generate(); + final RandomMovingStrategy movingStrategy = new RandomMovingStrategy(generate); + return RacingGame.newInstance(racingGameRequestDto.getNames(), racingGameRequestDto.getTurn(), movingStrategy); + } + + private List<String> mapToName(RacingGame racingGame) { + return racingGame.getWinner() + .stream() + .map(Car::getName) + .collect(toList()); + } + + private List<CarDto> mapToCarDto(Track track) { + return track.getCars() + .stream() + .map(CarDto::new) + .collect(toList()); + } +}
Java
์š”๊ฑด ๋ฐ˜ํ™˜๊ฐ’์ด ๋”ฐ๋กœ ์žˆ๋Š”์ด์œ ๊ฐ€ ์žˆ์„๊นŒ์š” ? `getTracks()`๋Š” ๋ฉ”์†Œ๋“œ๊ฐ€ ๋”ฐ๋กœ์žˆ์–ด์„œ์š”!
@@ -0,0 +1,79 @@ +package view; + +import domain.car.Car; +import domain.game.RacingGame; +import domain.game.Track; +import domain.random.RandomGenerator; +import domain.strategy.RandomMovingStrategy; +import dto.CarDto; +import dto.RacingGameRequestDto; +import spark.Route; +import util.Splitter; + +import java.util.HashMap; +import java.util.List; +import java.util.Random; + +import static java.util.stream.Collectors.toList; +import static util.RenderUtil.render; +import static util.Splitter.COMMA; + +public class WebRacingHandler { + public Route handleGetName() { + return (req, res) -> { + HashMap<String, Object> model = new HashMap<>(); + String names = req.queryParams("names"); + + List<String> splitNames = Splitter.splitBlank(names); + model.put("names", splitNames); + model.put("nameStrings", String.join(COMMA, splitNames)); + return render(model, "/game.html"); + }; + } + + public Route handleResult() { + return (req, res) -> { + final HashMap<String, Object> model = new HashMap<>(); + final RacingGameRequestDto racingGameRequestDto = new RacingGameRequestDto(Integer.parseInt(req.queryParams("turn")), req.queryParams("names")); + + final RacingGame racingGame = generateRacingGame(racingGameRequestDto); + + finishGame(racingGame); + Track track = racingGame.getTrack(); + + List<CarDto> carDtos = mapToCarDto(track); + List<String> nameOfWinners = mapToName(racingGame); + + + model.put("cars", carDtos); + model.put("winners", nameOfWinners); + return render(model, "/result.html"); + }; + } + + private void finishGame(RacingGame racingGame) { + while (!racingGame.isDone()) { + racingGame.proceedOneTurn(); + } + } + + private RacingGame generateRacingGame(RacingGameRequestDto racingGameRequestDto) { + final Random generate = RandomGenerator.generate(); + final RandomMovingStrategy movingStrategy = new RandomMovingStrategy(generate); + return RacingGame.newInstance(racingGameRequestDto.getNames(), racingGameRequestDto.getTurn(), movingStrategy); + } + + private List<String> mapToName(RacingGame racingGame) { + return racingGame.getWinner() + .stream() + .map(Car::getName) + .collect(toList()); + } + + private List<CarDto> mapToCarDto(Track track) { + return track.getCars() + .stream() + .map(CarDto::new) + .collect(toList()); + } +}
Java
ํ•ด๋‹น ์˜์—ญ์„ ๋ถ„๋ฆฌํ•˜๋ฉด ์ข‹์„ ๊ฒƒ ๊ฐ™์•„์š”!
@@ -0,0 +1,55 @@ +package christmas.controller; + +import christmas.domain.date.Date; +import christmas.domain.badge.Badge; +import christmas.domain.reward.Reward; +import christmas.domain.order.Bill; +import christmas.dto.RewardDto; +import christmas.factory.ControllerFactory; +import christmas.view.OutputView; + +public class GameController { + private final DateController dateController = ControllerFactory.getDateController(); + private final OrderController orderController = ControllerFactory.getOrderController(); + private final EventController eventController = ControllerFactory.getEventController(); + private final BadgeController badgeController = ControllerFactory.getBadgeController(); + + public void run() { + printWelcomeMessage(); + + Date date = dateController.acceptVisitDate(); + Bill bill = orderController.acceptOrder(); + printOrderResult(date, bill); + + Reward reward = eventController.confirmReward(date, bill); + RewardDto rewardDto = reward.toDto(); + + printRewardResult(rewardDto); + printFinalCheckoutPrice(bill, rewardDto); + + printBadgeResult(badgeController.grantBadge(rewardDto)); + } + + public void printWelcomeMessage() { + OutputView.printWelcomeMessage(); + } + + public void printOrderResult(Date date, Bill bill) { + OutputView.printPreviewMessage(date); + OutputView.printOrderMessage(bill); + } + + public void printFinalCheckoutPrice(Bill bill, RewardDto rewardDto) { + + int checkoutPrice = bill.totalPrice() - rewardDto.getTotalDiscountReward(); + OutputView.printFinalCheckoutPriceMessage(checkoutPrice); + } + + public void printRewardResult(RewardDto rewardDto) { + OutputView.printRewardsMessage(rewardDto); + } + + public void printBadgeResult(Badge badge) { + OutputView.printBadgeMessage(badge); + } +}
Java
์ทจํ–ฅ ์ฐจ์ด ๋ผ๊ณ  ์ƒ๊ฐํ•˜๊ธด ํ•˜์ง€๋งŒ, ๊ฐ์ฒด๋ฅผ ์ƒ์„ฑํ•ด์ฃผ๋Š” ๋ผ์ธ๋“ค์„ ํ•˜๋‚˜๋กœ ๋ชจ์œผ๊ณ  ์ถœ๋ ฅprint๋ฉ”์„œ๋“œ๋“ค์„ ์ „๋ถ€ ๋ชจ์•„์ฃผ๋Š”๊ฒƒ๋„ ํ•˜๋‚˜์˜ ๋ฐฉ๋ฒ•์ผ ๊ฒƒ ๊ฐ™์•„์š” printWelcomeMessage(); Date date = dateController.acceptVisitDate(); Bill bill = orderController.acceptOrder(); Reward reward = eventController.confirmReward(date, bill); RewardDto rewardDto = reward.toDto(); printRewardResult(rewardDto); printOrderResult(date, bill); printFinalCheckoutPrice(bill, rewardDto); printBadgeResult(badgeController.grantBadge(rewardDto)); ์ด๋Ÿฐ์‹์œผ๋กœ์š”
@@ -0,0 +1,26 @@ +package christmas.domain.category; + +import christmas.domain.menu.Menu; +import christmas.domain.menu.MenuItem; + +public enum Appetizer implements MenuItem { + MUSHROOM_SOUP("์–‘์†ก์ด์ˆ˜ํ”„", 6000), + TAPAS("ํƒ€ํŒŒ์Šค", 5500), + CAESAR_SALAD("์‹œ์ €์ƒ๋Ÿฌ๋“œ", 8000); + + private Menu menu; + + Appetizer(String name, int price) { + this.menu = new Menu(name, price); + } + @Override + public Menu get(){ + return menu; + } + + @Override + public String getName() { + return menu.name(); + } + +}
Java
์ธํ„ฐํŽ˜์ด์Šค๋ฅผ ์‚ฌ์šฉํ•˜์…จ๊ตฐ์š”!! ์ด๋ ‡๊ฒŒ ๋˜๋ฉด ์œ ์ง€ ๋ณด์ˆ˜์— ๋” ์ข‹์„๊ฑฐ๋ผ๋Š” ์ƒ๊ฐ์ด ๋“œ๋„ค์š” ๋ฉ‹์ ธ์š”
@@ -0,0 +1,32 @@ +package christmas.domain.date; + +import christmas.exception.DateException; +import christmas.exception.message.DateExceptionMessage; +import christmas.util.Calendar; + +import static christmas.constant.DateConstant.START_DAY; +import static christmas.constant.DateConstant.END_DAY; + +public record Date(int day, DayOfWeek dayOfWeek) { + public static Date of(int day) { + validate(day); + + DayOfWeek dayOfWeek = getDayOfWeek(day); + return new Date(day, dayOfWeek); + } + + private static void validate(int day) { + validateDayRange(day); + } + + private static void validateDayRange(int day) { + if (day < START_DAY || day > END_DAY) { + throw new DateException(DateExceptionMessage.INVALID_DAY); + } + } + + private static DayOfWeek getDayOfWeek(int day) { + return Calendar.calculateDayOfWeek(day); + } + +}
Java
์ €๋„ ๋ฆฌ๋ทฐํ•˜๋‹ค๊ฐ€ ๋ฐฐ์šด ๋‚ด์šฉ์ธ๋ฐ localDate.of() ๋ฅผ ์‚ฌ์šฉํ•˜๋Š” ๋ฐฉ๋ฒ•๋„ ์žˆ์–ด์„œ ์ถ”์ฒœ ๋“œ๋ ค์š”!!
@@ -0,0 +1,37 @@ +package christmas.domain.event.discount; + +import christmas.domain.date.Date; +import christmas.domain.reward.DiscountEventReward; +import christmas.lib.event.DiscountEvent; + +import static christmas.constant.EventConstant.CHRISTMAS_DAY; +import static christmas.constant.EventConstant.D_DAY_DISCOUNT_UNIT; +import static christmas.constant.EventConstant.CHRISTMAS_EVENT_MESSAGE; +import static christmas.constant.EventConstant.D_DAY_START_PRICE; + + +public class ChristmasDiscountEvent extends DiscountEvent<Date> { + private final Integer D_DAY = CHRISTMAS_DAY; + private final Integer START_PRICE = D_DAY_START_PRICE; + private final Integer DISCOUNT_UNIT = D_DAY_DISCOUNT_UNIT; + private final String EVENT_NAME = CHRISTMAS_EVENT_MESSAGE; + + @Override + public boolean checkCondition(Date date) { + if (date.day() <= D_DAY) { + return true; + } + return false; + } + + @Override + public DiscountEventReward provideReward(Date date) { + int currentDay = date.day(); + int discountPrice = calculateDiscountPrice(currentDay); + return new DiscountEventReward(EVENT_NAME, discountPrice); + } + + private Integer calculateDiscountPrice(int currentDay) { + return START_PRICE + (currentDay - 1) * DISCOUNT_UNIT; + } +}
Java
static import๋ฌธ๋“ค์ด ์œ„์— ์œ„์น˜ํ•˜๋Š” ๊ฒƒ์ด ์ž๋ฐ” ์ปจ๋ฒค์…˜์— ๋ถ€ํ•ฉํ•˜๋Š” ๊ฒƒ์œผ๋กœ ์•Œ๊ณ  ์žˆ์–ด์š”
@@ -0,0 +1,14 @@ +package christmas.controller; + +import christmas.domain.date.Date; +import christmas.domain.reward.Reward; +import christmas.domain.order.Bill; +import christmas.factory.ServiceFactory; +import christmas.service.EventService; + +public class EventController { + private final EventService eventService = ServiceFactory.getEventService(); + public Reward confirmReward(Date date, Bill bill){ + return eventService.createReward(date,bill); + } +}
Java
ํ•œ์ค„ ๊ณต๋ฐฑ ์‚ฝ์ž…์ด ๋น ์ง„ ๊ฒƒ ๊ฐ™์•„์š”
@@ -0,0 +1,28 @@ +package christmas.domain.event.discount; + +import java.util.List; + +import christmas.domain.date.Date; +import christmas.domain.reward.DiscountEventReward; +import christmas.lib.event.DiscountEvent; + +import static christmas.constant.EventConstant.SPECIAL_DAY_MESSAGE; +import static christmas.constant.EventConstant.SPECIAL_DAY_PRICE; + +public class SpecialDiscountEvent extends DiscountEvent<Void> { + private final List<Integer> SPECIAL_DAY = List.of(3, 10, 17, 24, 25, 31); + private final String EVENT_NAME = SPECIAL_DAY_MESSAGE; + + @Override + public boolean checkCondition(Date date) { + if (SPECIAL_DAY.contains(date.day())) { + return true; + } + return false; + } + + @Override + public DiscountEventReward provideReward(Void object) { + return new DiscountEventReward(EVENT_NAME, SPECIAL_DAY_PRICE); + } +}
Java
ํŠน๋ณ„ ํ• ์ธ์ด ์ ์šฉ๋˜๋Š” ๋‚ ์ด ๋งค์ฃผ ์ผ์š”์ผ, ํฌ๋ฆฌ์Šค๋งˆ์Šค ๋‚ ์ด๋ผ๋Š” ์ ์„ DayOfWeek๋ฅผ ํ™œ์šฉํ•ด์„œ ํ‘œํ˜„ํ•˜๋Š” ๊ฒƒ๋„ ์ข‹์€ ๋ฐฉ๋ฒ•์ผ๊ฑฐ ๊ฐ™์•„์š”!
@@ -0,0 +1,96 @@ +package christmas.domain.order; + +import java.util.ArrayList; +import java.util.EnumMap; +import java.util.List; + +import christmas.domain.menu.Category; +import christmas.exception.OrderException; +import christmas.exception.message.OrderExceptionMessage; + +import static christmas.constant.OrderConstant.MAX_TOTAL_ORDER_COUNT; + +public record Bill(int totalPrice, EnumMap<Category, List<OrderInfo>> orderDetail) { + public static Bill of(List<RequestOrder> requestOrderList) { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = confirmOrders(requestOrderList); + + validate(orderMenuBoard); + + int totalPrice = calculateTotalPrice(orderMenuBoard); + return new Bill(totalPrice, orderMenuBoard); + } + + private static EnumMap<Category, List<OrderInfo>> confirmOrders(List<RequestOrder> requestOrderList) { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = initOrderMenuBoard(); + + for (RequestOrder requestOrder : requestOrderList) { + confirmOrder(requestOrder, orderMenuBoard); + } + return orderMenuBoard; + } + + private static void confirmOrder(RequestOrder requestOrder, EnumMap<Category, List<OrderInfo>> orderMenuBoard) { + String orderName = requestOrder.orderName(); + int orderAmount = requestOrder.amount(); + + OrderResult orderResult = OrderResult.of(orderName, orderAmount); + orderMenuBoard.get(orderResult.category()).add(orderResult.orderInfo()); + } + + + private static EnumMap<Category, List<OrderInfo>> initOrderMenuBoard() { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = new EnumMap<>(Category.class); + + for (Category category : Category.values()) { + orderMenuBoard.put(category, new ArrayList<>()); + } + return orderMenuBoard; + } + + private static void validate(EnumMap<Category, List<OrderInfo>> orderMenuBoard) { + int totalAmount = countTotalOrderMenu(orderMenuBoard); + validateTotalAmountInRange(totalAmount); + validateMenuIsOnlyDrink(orderMenuBoard.get(Category.DRINK), totalAmount); + } + + private static void validateTotalAmountInRange(int totalAmount) { + if (totalAmount > MAX_TOTAL_ORDER_COUNT) { + throw new OrderException(OrderExceptionMessage.OVERALL_ORDER_COUNT); + } + } + + private static void validateMenuIsOnlyDrink(List<OrderInfo> orderDrinks, int totalOrderCount) { + int drinkOrderCount = countOrderMenus(orderDrinks); + if (drinkOrderCount == totalOrderCount) { + throw new OrderException(OrderExceptionMessage.ONLY_DRINK); + } + } + + + private static Integer countTotalOrderMenu(EnumMap<Category, List<OrderInfo>> orderBoard) { + int totalOrderCount = 0; + for (List<OrderInfo> orderInfos : orderBoard.values()) { + totalOrderCount += countOrderMenus(orderInfos); + } + return totalOrderCount; + } + + private static Integer countOrderMenus(List<OrderInfo> orderInfos) { + int orderCount = 0; + for (OrderInfo orderInfo : orderInfos) { + orderCount += orderInfo.amount(); + } + return orderCount; + } + + private static Integer calculateTotalPrice(EnumMap<Category, List<OrderInfo>> orderBoard) { + int totalPrice = 0; + for (List<OrderInfo> orderInfos : orderBoard.values()) { + for (OrderInfo orderInfo : orderInfos) { + int price = orderInfo.menu().price(); + totalPrice += orderInfo.amount() * price; + } + } + return totalPrice; + } +} \ No newline at end of file
Java
record๋ฅผ ํ™œ์šฉํ•ด์•ผ๊ฒ ๋‹ค๊ณ  ์ƒ๊ฐํ•œ ์ด์œ ๊ฐ€ ์žˆ์„๊นŒ์š”?
@@ -0,0 +1,27 @@ +package christmas.domain.category; + +import christmas.domain.menu.Menu; +import christmas.domain.menu.MenuItem; + +public enum Dessert implements MenuItem { + CHOCO_CAKE("์ดˆ์ฝ”์ผ€์ดํฌ", 15000), + ICE_CREAM("์•„์ด์Šคํฌ๋ฆผ", 5000); + + private Menu menu; + + Dessert(String name, int price) { + this.menu = new Menu(name, price); + } + + @Override + public Menu get() { + return menu; + } + + @Override + public String getName() { + return menu.name(); + } + + +}
Java
๋ฉ”๋‰ด ์นดํ…Œ๊ณ ๋ฆฌ๋งˆ๋‹ค enum ํด๋ž˜์Šค๋ฅผ ๋‚˜๋ˆŒ ์ƒ๊ฐ์€ ๋ชปํ–ˆ๋Š”๋ฐ ์ด๋ ‡๊ฒŒ ํ•˜๋ฉด ์œ ์ง€๋ณด์ˆ˜๊ฐ€ ๋” ์‰ฝ๊ฒ ๋„ค์š”! ์ข‹์€ ์•„์ด๋””์–ด์ธ๊ฑฐ ๊ฐ™์•„์š”!
@@ -0,0 +1,6 @@ +package christmas.constant; + +public interface DateConstant { + public static int START_DAY = 1; + public static int END_DAY = 31; +}
Java
์ด ๋ถ€๋ถ„๋„ ์›” ์ˆ˜๊ฐ€ ๋ฐ”๋€๋‹ค๋ฉด? 12์›”์—์„œ 1์›”๋กœ ๋ฐ”๋€” ๋•Œ, 2์›”๋กœ ๋ฐ”๋€” ๋•Œ ์ผ์ˆ˜์— ๋Œ€ํ•œ ์ œ์•ฝ์กฐ๊ฑด์„ ์ˆ˜๋™์œผ๋กœ ์ˆ˜์ •ํ•ด์ฃผ์–ด์•ผ ํ•  ๊ฒƒ์œผ๋กœ ์˜ˆ๊ฒฌ๋ฉ๋‹ˆ๋‹ค. ์ „์—ญ์—์„œ ์„ค์ •ํ•˜๋Š” ์—ฐ/์›” ์„ค์ •์„ ๋ฐ”ํƒ•์œผ๋กœ StartDay์™€ EndDay๋ฅผ ๋™์ ์œผ๋กœ ํŒ๋‹จํ•˜๋ฉด ์ข‹์„ ๊ฒƒ ๊ฐ™์•„์š”!
@@ -0,0 +1,9 @@ +package christmas.constant; + +public interface OrderConstant { + public static final String ORDER_SEPARATOR = ","; + public static final String REQUEST_SEPARATOR = "-"; + + public static final int MIN_AMOUNT = 1; + public static final int MAX_TOTAL_ORDER_COUNT = 20; +}
Java
์ด ๋ถ€๋ถ„๋„ ์ œ์•ฝ์กฐ๊ฑด์œผ๋กœ ๋ถ„๋ฆฌํ•ด์„œ ์„ค์ •ํ•œ ๋ถ€๋ถ„ ๋„ˆ๋ฌด ์ข‹์Šต๋‹ˆ๋‹ค ๐Ÿ‘
@@ -0,0 +1,26 @@ +package christmas.domain.category; + +import christmas.domain.menu.Menu; +import christmas.domain.menu.MenuItem; + +public enum Drink implements MenuItem { + ZERO_COKE("์ œ๋กœ์ฝœ๋ผ", 3000), + RED_WINE("๋ ˆ๋“œ์™€์ธ", 60000), + CHAMPAGNE("์ƒดํŽ˜์ธ", 25000); + private Menu menu; + + Drink(String name, int price) { + this.menu = new Menu(name, price); + } + + @Override + public Menu get() { + return menu; + } + + @Override + public String getName() { + return menu.name(); + } + +}
Java
์ด ๋ถ€๋ถ„๋„ 25_000๊ณผ ๊ฐ™์ด ์ผ๊ด€์ ์ธ ํ˜•ํƒœ๋กœ ์‚ฌ์šฉํ•˜๋ฉด ์ข‹์„ ๊ฒƒ ๊ฐ™์•„์š”!
@@ -0,0 +1,28 @@ +package christmas.domain.event.discount; + +import java.util.List; + +import christmas.domain.date.Date; +import christmas.domain.reward.DiscountEventReward; +import christmas.lib.event.DiscountEvent; + +import static christmas.constant.EventConstant.SPECIAL_DAY_MESSAGE; +import static christmas.constant.EventConstant.SPECIAL_DAY_PRICE; + +public class SpecialDiscountEvent extends DiscountEvent<Void> { + private final List<Integer> SPECIAL_DAY = List.of(3, 10, 17, 24, 25, 31); + private final String EVENT_NAME = SPECIAL_DAY_MESSAGE; + + @Override + public boolean checkCondition(Date date) { + if (SPECIAL_DAY.contains(date.day())) { + return true; + } + return false; + } + + @Override + public DiscountEventReward provideReward(Void object) { + return new DiscountEventReward(EVENT_NAME, SPECIAL_DAY_PRICE); + } +}
Java
์ €๋Š” ์ด ๋ถ€๋ถ„์— ๋Œ€ํ•ด์„œ๋Š” ๋‹ค๋ฅธ ์˜๊ฒฌ์ž…๋‹ˆ๋‹ค! `๋ณ„` ์ด ๋‹ฌ๋ ค์žˆ๋Š” ๋‚ ์ด ์ด๋ฒคํŠธ ๋‚ ๋กœ ์ ์šฉํ•œ๋‹ค๋Š” ์กฐ๊ฑด์ด์—ˆ๊ธฐ ๋•Œ๋ฌธ์—, ์ด ๋ถ€๋ถ„์€ List๋กœ ์ •์ ์œผ๋กœ ํ• ๋‹นํ•ด์ฃผ๋Š”๊ฒŒ ์˜คํžˆ๋ ค ๋” ์ ์ ˆํ•œ ์„ค๊ณ„์˜€๋‹ค๊ณ  ์ƒ๊ฐํ•ด์š”!
@@ -0,0 +1,96 @@ +package christmas.domain.order; + +import java.util.ArrayList; +import java.util.EnumMap; +import java.util.List; + +import christmas.domain.menu.Category; +import christmas.exception.OrderException; +import christmas.exception.message.OrderExceptionMessage; + +import static christmas.constant.OrderConstant.MAX_TOTAL_ORDER_COUNT; + +public record Bill(int totalPrice, EnumMap<Category, List<OrderInfo>> orderDetail) { + public static Bill of(List<RequestOrder> requestOrderList) { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = confirmOrders(requestOrderList); + + validate(orderMenuBoard); + + int totalPrice = calculateTotalPrice(orderMenuBoard); + return new Bill(totalPrice, orderMenuBoard); + } + + private static EnumMap<Category, List<OrderInfo>> confirmOrders(List<RequestOrder> requestOrderList) { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = initOrderMenuBoard(); + + for (RequestOrder requestOrder : requestOrderList) { + confirmOrder(requestOrder, orderMenuBoard); + } + return orderMenuBoard; + } + + private static void confirmOrder(RequestOrder requestOrder, EnumMap<Category, List<OrderInfo>> orderMenuBoard) { + String orderName = requestOrder.orderName(); + int orderAmount = requestOrder.amount(); + + OrderResult orderResult = OrderResult.of(orderName, orderAmount); + orderMenuBoard.get(orderResult.category()).add(orderResult.orderInfo()); + } + + + private static EnumMap<Category, List<OrderInfo>> initOrderMenuBoard() { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = new EnumMap<>(Category.class); + + for (Category category : Category.values()) { + orderMenuBoard.put(category, new ArrayList<>()); + } + return orderMenuBoard; + } + + private static void validate(EnumMap<Category, List<OrderInfo>> orderMenuBoard) { + int totalAmount = countTotalOrderMenu(orderMenuBoard); + validateTotalAmountInRange(totalAmount); + validateMenuIsOnlyDrink(orderMenuBoard.get(Category.DRINK), totalAmount); + } + + private static void validateTotalAmountInRange(int totalAmount) { + if (totalAmount > MAX_TOTAL_ORDER_COUNT) { + throw new OrderException(OrderExceptionMessage.OVERALL_ORDER_COUNT); + } + } + + private static void validateMenuIsOnlyDrink(List<OrderInfo> orderDrinks, int totalOrderCount) { + int drinkOrderCount = countOrderMenus(orderDrinks); + if (drinkOrderCount == totalOrderCount) { + throw new OrderException(OrderExceptionMessage.ONLY_DRINK); + } + } + + + private static Integer countTotalOrderMenu(EnumMap<Category, List<OrderInfo>> orderBoard) { + int totalOrderCount = 0; + for (List<OrderInfo> orderInfos : orderBoard.values()) { + totalOrderCount += countOrderMenus(orderInfos); + } + return totalOrderCount; + } + + private static Integer countOrderMenus(List<OrderInfo> orderInfos) { + int orderCount = 0; + for (OrderInfo orderInfo : orderInfos) { + orderCount += orderInfo.amount(); + } + return orderCount; + } + + private static Integer calculateTotalPrice(EnumMap<Category, List<OrderInfo>> orderBoard) { + int totalPrice = 0; + for (List<OrderInfo> orderInfos : orderBoard.values()) { + for (OrderInfo orderInfo : orderInfos) { + int price = orderInfo.menu().price(); + totalPrice += orderInfo.amount() * price; + } + } + return totalPrice; + } +} \ No newline at end of file
Java
์ง€์—ญ๋ณ€์ˆ˜ ์žฌํ• ๋‹น์€ ์ž๋ฐ”๊ฐ€ ์‹ซ์–ดํ•˜๋Š” ๋ฌธ๋ฒ•์ด๋ผ๊ณ  ์•Œ๊ณ  ์žˆ์–ด์š”! ์ŠคํŠธ๋ฆผ ๋ฌธ๋ฒ•์„ ํ†ตํ•ด ํ•„ํ„ฐ๋งํ•ด์„œ ๋”ํ•˜๋Š” ๋กœ์ง์„ ์„ค๊ณ„ํ•œ๋‹ค๋ฉด, ๋ถˆํ•„์š”ํ•œ ์ง€์—ญ๋ณ€์ˆ˜ ์žฌํ• ๋‹น์„ ํ”ผํ•  ์ˆ˜ ์žˆ์„ ๊ฒƒ ๊ฐ™์•„์š”!
@@ -0,0 +1,96 @@ +package christmas.domain.order; + +import java.util.ArrayList; +import java.util.EnumMap; +import java.util.List; + +import christmas.domain.menu.Category; +import christmas.exception.OrderException; +import christmas.exception.message.OrderExceptionMessage; + +import static christmas.constant.OrderConstant.MAX_TOTAL_ORDER_COUNT; + +public record Bill(int totalPrice, EnumMap<Category, List<OrderInfo>> orderDetail) { + public static Bill of(List<RequestOrder> requestOrderList) { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = confirmOrders(requestOrderList); + + validate(orderMenuBoard); + + int totalPrice = calculateTotalPrice(orderMenuBoard); + return new Bill(totalPrice, orderMenuBoard); + } + + private static EnumMap<Category, List<OrderInfo>> confirmOrders(List<RequestOrder> requestOrderList) { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = initOrderMenuBoard(); + + for (RequestOrder requestOrder : requestOrderList) { + confirmOrder(requestOrder, orderMenuBoard); + } + return orderMenuBoard; + } + + private static void confirmOrder(RequestOrder requestOrder, EnumMap<Category, List<OrderInfo>> orderMenuBoard) { + String orderName = requestOrder.orderName(); + int orderAmount = requestOrder.amount(); + + OrderResult orderResult = OrderResult.of(orderName, orderAmount); + orderMenuBoard.get(orderResult.category()).add(orderResult.orderInfo()); + } + + + private static EnumMap<Category, List<OrderInfo>> initOrderMenuBoard() { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = new EnumMap<>(Category.class); + + for (Category category : Category.values()) { + orderMenuBoard.put(category, new ArrayList<>()); + } + return orderMenuBoard; + } + + private static void validate(EnumMap<Category, List<OrderInfo>> orderMenuBoard) { + int totalAmount = countTotalOrderMenu(orderMenuBoard); + validateTotalAmountInRange(totalAmount); + validateMenuIsOnlyDrink(orderMenuBoard.get(Category.DRINK), totalAmount); + } + + private static void validateTotalAmountInRange(int totalAmount) { + if (totalAmount > MAX_TOTAL_ORDER_COUNT) { + throw new OrderException(OrderExceptionMessage.OVERALL_ORDER_COUNT); + } + } + + private static void validateMenuIsOnlyDrink(List<OrderInfo> orderDrinks, int totalOrderCount) { + int drinkOrderCount = countOrderMenus(orderDrinks); + if (drinkOrderCount == totalOrderCount) { + throw new OrderException(OrderExceptionMessage.ONLY_DRINK); + } + } + + + private static Integer countTotalOrderMenu(EnumMap<Category, List<OrderInfo>> orderBoard) { + int totalOrderCount = 0; + for (List<OrderInfo> orderInfos : orderBoard.values()) { + totalOrderCount += countOrderMenus(orderInfos); + } + return totalOrderCount; + } + + private static Integer countOrderMenus(List<OrderInfo> orderInfos) { + int orderCount = 0; + for (OrderInfo orderInfo : orderInfos) { + orderCount += orderInfo.amount(); + } + return orderCount; + } + + private static Integer calculateTotalPrice(EnumMap<Category, List<OrderInfo>> orderBoard) { + int totalPrice = 0; + for (List<OrderInfo> orderInfos : orderBoard.values()) { + for (OrderInfo orderInfo : orderInfos) { + int price = orderInfo.menu().price(); + totalPrice += orderInfo.amount() * price; + } + } + return totalPrice; + } +} \ No newline at end of file
Java
calculateTotalPrice์˜ ๋ฆฌํ„ดํ˜•์€ Integer์ธ๋ฐ, ๋ฐ˜ํ™˜ ๋ณ€์ˆ˜๋Š” int๋„ค์š”! ํ•ด๋‹น ๋ฉ”์†Œ๋“œ๋ฅผ Integer๋กœ ๋ฐ˜ํ™˜ํ•˜๋„๋ก ์„ค๊ณ„ํ•˜์‹  ์ด์œ ๊ฐ€ ์žˆ์„๊นŒ์š”?
@@ -0,0 +1,9 @@ +package christmas.constant; + +public interface BadgeConstant { + public static final int SANTA_THRESHOLD = 20000; + public static final int TREE_THRESHOLD = 10000; + public static final int STAR_THRESHOLD = 5000; + public static final int NON_THRESHOLD = 0; + +}
Java
ํ˜„์žฌ ๊ตฌํ˜„ํ•˜์‹  ์ฝ”๋“œ์—์„œ `BadgeConstant` ๋Š” `Badge` enum ์—์„œ ์ƒ์ˆ˜๋กœ ๋ฐ–์— ์‚ฌ์šฉ๋˜์ง€ ์•Š์€ ๊ฒƒ์œผ๋กœ ์กฐ๊ธˆ ๋ถˆํ•„์š”ํ•œ ์ธํ„ฐํŽ˜์ด์Šค์ง€ ์•Š๋‚˜ ์ƒ๊ฐ์ด๋“ญ๋‹ˆ๋‹ค. `Badge` enum ์—์„œ ์ด ๋ถ€๋ถ„์€ ํ•จ๊ป˜ ๊ตฌํ˜„ํ•  ์ˆ˜ ์žˆ๋‹ค๊ณ  ์ƒ๊ฐํ•˜๋Š”๋ฐ ์–ด๋–ป๊ฒŒ ์ƒ๊ฐํ•˜์‹œ๋‚˜์š”?
@@ -0,0 +1,27 @@ +package christmas.constant; + +import christmas.domain.category.Drink; +import christmas.domain.menu.Menu; + +public interface EventConstant { + public static final Integer EVENT_THRESHOLD_PRICE = 10000; + + public static final Integer WEEKEND_DISCOUNT_PRICE = 2023; + public static final String WEEKEND_DISCOUNT_EVENT_MESSAGE = "์ฃผ๋ง ํ• ์ธ"; + + public static final Integer WEEKDAY_DISCOUNT_PRICE = 2023; + public static final String WEEKDAY_DISCOUNT_EVENT_MESSAGE = "ํ‰์ผ ํ• ์ธ"; + + + public static final Integer D_DAY_DISCOUNT_UNIT = 100; + public static final Integer D_DAY_START_PRICE = 1000; + public static final Integer CHRISTMAS_DAY = 25; + public static final String CHRISTMAS_EVENT_MESSAGE = "ํฌ๋ฆฌ์Šค๋งˆ์Šค ๋””๋ฐ์ด ํ• ์ธ"; + + public static final Integer SPECIAL_DAY_PRICE = 1000; + public static final String SPECIAL_DAY_MESSAGE = "ํŠน๋ณ„ ํ• ์ธ"; + + + public static final Integer CHAMPAGNE_LIMIT_PRICE = 120000; + public static final Menu CHAMPAGNE_PRESENT = Drink.CHAMPAGNE.get(); +}
Java
์ด๋ฒคํŠธ ๊ด€๋ จ ์ƒ์ˆ˜๋ฅผ ์ €๋Š” enum ์œผ๋กœ ๊ตฌํ˜„ํ–ˆ์Šต๋‹ˆ๋‹ค. ์ธํ„ฐํŽ˜์ด์Šค๋กœ ์ƒ์ˆ˜๋“ค์„ ์ •์˜ํ•˜์‹  ์ด์œ ๊ฐ€ ๊ถ๊ธˆํ•ฉ๋‹ˆ๋‹ค!
@@ -0,0 +1,32 @@ +package christmas.domain.date; + +import christmas.exception.DateException; +import christmas.exception.message.DateExceptionMessage; +import christmas.util.Calendar; + +import static christmas.constant.DateConstant.START_DAY; +import static christmas.constant.DateConstant.END_DAY; + +public record Date(int day, DayOfWeek dayOfWeek) { + public static Date of(int day) { + validate(day); + + DayOfWeek dayOfWeek = getDayOfWeek(day); + return new Date(day, dayOfWeek); + } + + private static void validate(int day) { + validateDayRange(day); + } + + private static void validateDayRange(int day) { + if (day < START_DAY || day > END_DAY) { + throw new DateException(DateExceptionMessage.INVALID_DAY); + } + } + + private static DayOfWeek getDayOfWeek(int day) { + return Calendar.calculateDayOfWeek(day); + } + +}
Java
๋‚ ์งœ ์ •๋ณด๋ฅผ ๋‹ด์€ ๋ถˆ๋ณ€๊ฐ์ฒด๋ฅผ ์ด์šฉํ•˜์…จ๊ตฐ์š” ๐Ÿ‘ ๋‹ค๋งŒ ํ˜„์žฌ `Date` ๊ฐ์ฒด๋Š” ๋‚ ์งœ ์ •๋ณด์™€ ์š”์ผ ์ •๋ณด๋งŒ ๊ฐ€์ง€๊ณ  ์žˆ๋Š”๊ฒƒ์œผ๋กœ ๋ณด์ด๋Š”๋ฐ ๊ทธ๋ ‡๋‹ค๋ฉด ์ด๋ฏธ ์ž๋ฐ”์—์„œ ์ œ๊ณตํ•˜๋Š” `LocalDate` ๋ฅผ ์‚ฌ์šฉํ•˜๋Š”๊ฒŒ ์–ด๋–จ๊นŒ ํ•˜๋Š” ์ƒ๊ฐ์ด ๋“ญ๋‹ˆ๋‹ค! 1์ฃผ์ฐจ ํ”ผ๋“œ๋ฐฑ์—๋„ ๋‚˜์˜ค๋Š” ๋‚ด์šฉ์ด๋‹ˆ๊นŒ ๊ณ ๋ คํ•ด๋ณด์‹œ๋ฉด ์ข‹์„๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค ๐Ÿ˜
@@ -0,0 +1,25 @@ +package christmas.domain.event; + +import christmas.lib.event.DiscountEvent; +import christmas.lib.event.Event; +import christmas.lib.event.PresentEvent; + +import java.util.ArrayList; +import java.util.List; + +public record InProgressEventList(List<DiscountEvent> discountEventList, + List<PresentEvent> presentEventList) { + public static InProgressEventList of(List<Event> eventList) { + List<DiscountEvent> discountEventList = new ArrayList<>(); + List<PresentEvent> presentEventList = new ArrayList<>(); + for (Event event : eventList) { + if (event instanceof DiscountEvent) { + discountEventList.add((DiscountEvent) event); + } + if (event instanceof PresentEvent) { + presentEventList.add((PresentEvent) event); + } + } + return new InProgressEventList(discountEventList, presentEventList); + } +}
Java
์ด ๋ถ€๋ถ„์€ ์•ฝ๊ฐ„ ๊ฐœ์„ ํ•  ์ˆ˜๋„ ์žˆ์„๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค! ์ด ํด๋ž˜์Šค์˜ `of` ๋ฉ”์†Œ๋“œ๋Š” `EventSercice` ์—์„œ `EventFactory` ์˜ static ๋ณ€์ˆ˜์ธ `EVENT_LIST` ๋ฅผ ํŒŒ๋ผ๋ฏธํ„ฐ๋กœ ๋„ฃ์–ด์„œ ์ƒ์„ฑํ•˜๋Š” ๋ถ€๋ถ„์—์„œ๋งŒ ์“ฐ์ด๋Š”๋ฐ `EVENT_LIST` ๋Š” ํ•ญ์ƒ ๊ฐ™์€ ๊ฐ’์„ ๊ฐ€์ง€๋Š” ๋ณ€์ˆ˜๋กœ ์˜ˆ์ƒ๋ฉ๋‹ˆ๋‹ค. ๊ทธ๋ ‡๋‹ค๋ฉด ์ฒ˜์Œ๋ถ€ํ„ฐ ํ• ์ธ ์ด๋ฒคํŠธ์™€ ์ฆ์ • ์ด๋ฒคํŠธ๋ฅผ ๋”ฐ๋กœ ๊ด€๋ฆฌํ•˜๋Š” ๋ฐฉ๋ฒ•์€ ์–ด๋–จ๊นŒ์š”?
@@ -0,0 +1,45 @@ +package christmas.domain.event.discount; + +import java.util.List; + +import christmas.domain.date.Date; +import christmas.domain.date.DayOfWeek; + +import christmas.domain.reward.DiscountEventReward; +import christmas.domain.menu.Category; + +import christmas.domain.order.Bill; +import christmas.domain.order.OrderInfo; +import christmas.lib.event.DiscountEvent; + +import static christmas.constant.EventConstant.WEEKDAY_DISCOUNT_EVENT_MESSAGE; +import static christmas.constant.EventConstant.WEEKDAY_DISCOUNT_PRICE; + +public class WeekdayDiscountEvent extends DiscountEvent<Bill> { + private final Integer DISCOUNT_PRICE = WEEKDAY_DISCOUNT_PRICE; + private final String EVENT_NAME = WEEKDAY_DISCOUNT_EVENT_MESSAGE; + + @Override + public boolean checkCondition(Date date) { + DayOfWeek dayOfWeek = date.dayOfWeek(); + if (dayOfWeek.isWeekday()) { + return true; + } + return false; + } + + @Override + public DiscountEventReward provideReward(Bill bill) { + List<OrderInfo> orderInfos = bill.orderDetail().get(Category.DESERT); + Integer count = countOrderMenu(orderInfos); + return new DiscountEventReward(EVENT_NAME, count * DISCOUNT_PRICE); + } + + private int countOrderMenu(List<OrderInfo> orderInfos) { + int count = 0; + for (OrderInfo orderInfo : orderInfos) { + count += orderInfo.amount(); + } + return count; + } +}
Java
์ด ๋ถ€๋ถ„์€ stream ์„ ์‚ฌ์šฉํ•ด ์ด๋ ‡๊ฒŒ ๊ตฌํ˜„ํ•  ์ˆ˜๋„ ์žˆ์Šต๋‹ˆ๋‹ค ๐Ÿ˜ ```java public class WeekdayDiscountEvent extends DiscountEvent<Bill> { //... private int countOrderMenu(List<OrderInfo> orderInfos) { return orderInfos.stream() .mapToInt.(OrderInfo::amount) .sum(); } //... } ```
@@ -0,0 +1,96 @@ +package christmas.domain.order; + +import java.util.ArrayList; +import java.util.EnumMap; +import java.util.List; + +import christmas.domain.menu.Category; +import christmas.exception.OrderException; +import christmas.exception.message.OrderExceptionMessage; + +import static christmas.constant.OrderConstant.MAX_TOTAL_ORDER_COUNT; + +public record Bill(int totalPrice, EnumMap<Category, List<OrderInfo>> orderDetail) { + public static Bill of(List<RequestOrder> requestOrderList) { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = confirmOrders(requestOrderList); + + validate(orderMenuBoard); + + int totalPrice = calculateTotalPrice(orderMenuBoard); + return new Bill(totalPrice, orderMenuBoard); + } + + private static EnumMap<Category, List<OrderInfo>> confirmOrders(List<RequestOrder> requestOrderList) { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = initOrderMenuBoard(); + + for (RequestOrder requestOrder : requestOrderList) { + confirmOrder(requestOrder, orderMenuBoard); + } + return orderMenuBoard; + } + + private static void confirmOrder(RequestOrder requestOrder, EnumMap<Category, List<OrderInfo>> orderMenuBoard) { + String orderName = requestOrder.orderName(); + int orderAmount = requestOrder.amount(); + + OrderResult orderResult = OrderResult.of(orderName, orderAmount); + orderMenuBoard.get(orderResult.category()).add(orderResult.orderInfo()); + } + + + private static EnumMap<Category, List<OrderInfo>> initOrderMenuBoard() { + EnumMap<Category, List<OrderInfo>> orderMenuBoard = new EnumMap<>(Category.class); + + for (Category category : Category.values()) { + orderMenuBoard.put(category, new ArrayList<>()); + } + return orderMenuBoard; + } + + private static void validate(EnumMap<Category, List<OrderInfo>> orderMenuBoard) { + int totalAmount = countTotalOrderMenu(orderMenuBoard); + validateTotalAmountInRange(totalAmount); + validateMenuIsOnlyDrink(orderMenuBoard.get(Category.DRINK), totalAmount); + } + + private static void validateTotalAmountInRange(int totalAmount) { + if (totalAmount > MAX_TOTAL_ORDER_COUNT) { + throw new OrderException(OrderExceptionMessage.OVERALL_ORDER_COUNT); + } + } + + private static void validateMenuIsOnlyDrink(List<OrderInfo> orderDrinks, int totalOrderCount) { + int drinkOrderCount = countOrderMenus(orderDrinks); + if (drinkOrderCount == totalOrderCount) { + throw new OrderException(OrderExceptionMessage.ONLY_DRINK); + } + } + + + private static Integer countTotalOrderMenu(EnumMap<Category, List<OrderInfo>> orderBoard) { + int totalOrderCount = 0; + for (List<OrderInfo> orderInfos : orderBoard.values()) { + totalOrderCount += countOrderMenus(orderInfos); + } + return totalOrderCount; + } + + private static Integer countOrderMenus(List<OrderInfo> orderInfos) { + int orderCount = 0; + for (OrderInfo orderInfo : orderInfos) { + orderCount += orderInfo.amount(); + } + return orderCount; + } + + private static Integer calculateTotalPrice(EnumMap<Category, List<OrderInfo>> orderBoard) { + int totalPrice = 0; + for (List<OrderInfo> orderInfos : orderBoard.values()) { + for (OrderInfo orderInfo : orderInfos) { + int price = orderInfo.menu().price(); + totalPrice += orderInfo.amount() * price; + } + } + return totalPrice; + } +} \ No newline at end of file
Java
์ €๋Š” ๊ฒ€์ฆ๋กœ์ง์€ ๋ถ„๋ฆฌํ•˜๋Š”๊ฒƒ์„ ์„ ํ˜ธํ•˜๋Š”๋ฐ ์ด ๋ถ€๋ถ„์— ๋Œ€ํ•ด์„œ ์–ด๋–ป๊ฒŒ ์ƒ๊ฐํ•˜์‹œ๋Š”์ง€ ๊ถ๊ธˆํ•ฉ๋‹ˆ๋‹ค!
@@ -0,0 +1,55 @@ +package christmas.controller; + +import christmas.domain.date.Date; +import christmas.domain.badge.Badge; +import christmas.domain.reward.Reward; +import christmas.domain.order.Bill; +import christmas.dto.RewardDto; +import christmas.factory.ControllerFactory; +import christmas.view.OutputView; + +public class GameController { + private final DateController dateController = ControllerFactory.getDateController(); + private final OrderController orderController = ControllerFactory.getOrderController(); + private final EventController eventController = ControllerFactory.getEventController(); + private final BadgeController badgeController = ControllerFactory.getBadgeController(); + + public void run() { + printWelcomeMessage(); + + Date date = dateController.acceptVisitDate(); + Bill bill = orderController.acceptOrder(); + printOrderResult(date, bill); + + Reward reward = eventController.confirmReward(date, bill); + RewardDto rewardDto = reward.toDto(); + + printRewardResult(rewardDto); + printFinalCheckoutPrice(bill, rewardDto); + + printBadgeResult(badgeController.grantBadge(rewardDto)); + } + + public void printWelcomeMessage() { + OutputView.printWelcomeMessage(); + } + + public void printOrderResult(Date date, Bill bill) { + OutputView.printPreviewMessage(date); + OutputView.printOrderMessage(bill); + } + + public void printFinalCheckoutPrice(Bill bill, RewardDto rewardDto) { + + int checkoutPrice = bill.totalPrice() - rewardDto.getTotalDiscountReward(); + OutputView.printFinalCheckoutPriceMessage(checkoutPrice); + } + + public void printRewardResult(RewardDto rewardDto) { + OutputView.printRewardsMessage(rewardDto); + } + + public void printBadgeResult(Badge badge) { + OutputView.printBadgeMessage(badge); + } +}
Java
์š”๊ตฌ์‚ฌํ•ญ์„ ์ƒ๊ฐํ•ด์„œ , ์ƒ์„ฑํ•˜๊ณ  ๊ฐ™์ด ์ถœ๋ ฅํ•˜๋Š” ์‹์œผ๋กœ ์ƒ๊ฐํ–ˆ๋Š”๋ฐ , ์ด๋ ‡๊ฒŒ print ๊ตฌ๋ฌธ ๋ชจ์•„๋†“์€๊ฑฐ๋„ ๊ดœ์ฐฎ๋„ค์š”!!
@@ -0,0 +1,32 @@ +package christmas.domain.date; + +import christmas.exception.DateException; +import christmas.exception.message.DateExceptionMessage; +import christmas.util.Calendar; + +import static christmas.constant.DateConstant.START_DAY; +import static christmas.constant.DateConstant.END_DAY; + +public record Date(int day, DayOfWeek dayOfWeek) { + public static Date of(int day) { + validate(day); + + DayOfWeek dayOfWeek = getDayOfWeek(day); + return new Date(day, dayOfWeek); + } + + private static void validate(int day) { + validateDayRange(day); + } + + private static void validateDayRange(int day) { + if (day < START_DAY || day > END_DAY) { + throw new DateException(DateExceptionMessage.INVALID_DAY); + } + } + + private static DayOfWeek getDayOfWeek(int day) { + return Calendar.calculateDayOfWeek(day); + } + +}
Java
์ €๋„ ๋ณด๊ณ  ์‹ ๊ธฐํ•ด์„œ ๋†€๋žฌ์Šต๋‹ˆ๋‹ค..
@@ -0,0 +1,37 @@ +package christmas.domain.event.discount; + +import christmas.domain.date.Date; +import christmas.domain.reward.DiscountEventReward; +import christmas.lib.event.DiscountEvent; + +import static christmas.constant.EventConstant.CHRISTMAS_DAY; +import static christmas.constant.EventConstant.D_DAY_DISCOUNT_UNIT; +import static christmas.constant.EventConstant.CHRISTMAS_EVENT_MESSAGE; +import static christmas.constant.EventConstant.D_DAY_START_PRICE; + + +public class ChristmasDiscountEvent extends DiscountEvent<Date> { + private final Integer D_DAY = CHRISTMAS_DAY; + private final Integer START_PRICE = D_DAY_START_PRICE; + private final Integer DISCOUNT_UNIT = D_DAY_DISCOUNT_UNIT; + private final String EVENT_NAME = CHRISTMAS_EVENT_MESSAGE; + + @Override + public boolean checkCondition(Date date) { + if (date.day() <= D_DAY) { + return true; + } + return false; + } + + @Override + public DiscountEventReward provideReward(Date date) { + int currentDay = date.day(); + int discountPrice = calculateDiscountPrice(currentDay); + return new DiscountEventReward(EVENT_NAME, discountPrice); + } + + private Integer calculateDiscountPrice(int currentDay) { + return START_PRICE + (currentDay - 1) * DISCOUNT_UNIT; + } +}
Java
์ž๋™ ์ •๋ ฌ์ด , ๋ฐ‘์œผ๋กœ ๋‚ด๋ ค๊ฐ€์„œ ๋ณ€๊ฒฝํ•œ๋‹ค๊ณ  ์‹ ๊ฒฝ์ผ๋Š”๋ฐ ํ•ด๋‹น ๋ถ€๋ถ„์€ ๋†“์ณค๋„ค์š” ใ… ใ… 
@@ -0,0 +1,14 @@ +package christmas.controller; + +import christmas.domain.badge.Badge; +import christmas.dto.RewardDto; +import christmas.factory.ServiceFactory; +import christmas.service.BadgeService; + +public class BadgeController { + private BadgeService badgeService = ServiceFactory.getBadgeService(); + + public Badge grantBadge(RewardDto rewardDto) { + return this.badgeService.createBadge(rewardDto.totalRewardPrice()); + } +}
Java
grantBadge! ํด๋ž˜์Šค๋ช…์—์„œ ์„ผ์Šค๊ฐ€ ๋„˜์น˜๋„ค์š” ใ…‹ใ…‹ ๊ทธ๋Ÿฐ๋ฐ ํ˜น์‹œ get ๋Œ€์‹ ์— grant๋ฅผ ๋ฉ”์†Œ๋“œ๋ช…์œผ๋กœ ์„ ์–ธํ•œ ์ด์œ ๊ฐ€ ์žˆ์„๊นŒ์š”?
@@ -0,0 +1,25 @@ +package com.example.chatgptcodereviewtest.controller; + +import com.example.chatgptcodereviewtest.dto.InputDto; +import com.example.chatgptcodereviewtest.service.TestService; +import lombok.RequiredArgsConstructor; +import org.springframework.web.bind.annotation.*; + +/** + * ์„ค๋ช…: + * + * @author ์ตœํ˜„๋ฒ”(Jayce) / hb.choi@dreamus.io + * @since 2023/03/23 + */ +@RestController +@RequestMapping("/test") +@RequiredArgsConstructor +public class TestController { + + private final TestService testService; + + @PostMapping + public int convertText(@RequestBody InputDto inputDto) { + return testService.addAgeAndNameLength(inputDto); + } +}
Java
์œ„ ์ฝ”๋“œ ์กฐ๊ฐ์—์„œ๋Š” `TestController` ํด๋ž˜์Šค๋ฅผ ์ •์˜ํ•˜๊ณ  ์žˆ์œผ๋ฉฐ, ํ•ด๋‹น ์ปจํŠธ๋กค๋Ÿฌ์˜ `convertText` ๋ฉ”์†Œ๋“œ๋Š” `InputDto` ๊ฐ์ฒด๋ฅผ ๋ฐ›์•„๋“ค์—ฌ `testService`์—์„œ `addAgeAndNameLength` ๋ฉ”์†Œ๋“œ๋ฅผ ํ˜ธ์ถœํ•œ ๊ฒฐ๊ณผ๋ฅผ ๋ฐ˜ํ™˜ํ•ฉ๋‹ˆ๋‹ค. ์ด ์ฝ”๋“œ ์กฐ๊ฐ์— ๋Œ€ํ•œ ์ฃผ์š” ๊ฐœ์„  ์ œ์•ˆ์€ ๋‹ค์Œ๊ณผ ๊ฐ™์Šต๋‹ˆ๋‹ค: 1. ์ปจํŠธ๋กค๋Ÿฌ์™€ ์„œ๋น„์Šค ํด๋ž˜์Šค์˜ ์ด๋ฆ„์„ ๋” ๋ช…ํ™•ํ•˜๊ฒŒ ๋‚˜ํƒ€๋‚ผ ์ˆ˜ ์žˆ๋„๋ก ๋ณ€๊ฒฝํ•˜๋Š” ๊ฒƒ์ด ์ข‹์Šต๋‹ˆ๋‹ค. 2. ์ปจํŠธ๋กค๋Ÿฌ์—์„œ ์‚ฌ์šฉ๋œ ๊ฒฝ๋กœ๋ช…(`"/test"`) ๋ฐ HTTP ๋ฉ”์†Œ๋“œ(`@PostMapping`)์— ๋Œ€ํ•ด ์ถฉ๋ถ„ํ•œ ์„ค๋ช…์ด ์—†์œผ๋ฏ€๋กœ API์˜ ์˜๋„๋ฅผ ๋” ์ž˜ ์„ค๋ช…ํ•  ํ•„์š”๊ฐ€ ์žˆ์Šต๋‹ˆ๋‹ค. 3. `InputDto` ํด๋ž˜์Šค์˜ ํ•„๋“œ ์œ ํšจ์„ฑ ๊ฒ€์‚ฌ๋ฅผ ์œ„ํ•œ ๊ฒ€์ฆ ์–ด๋…ธํ…Œ์ด์…˜ ๋“ฑ์˜ ์ถ”๊ฐ€์ ์ธ ๋ฒจ๋ฆฌ๋ฐ์ด์…˜ ๋กœ์ง์ด ํ•„์š”ํ•ฉ๋‹ˆ๋‹ค. ๋ฌธ์ œ์ ์œผ๋กœ๋Š” ํ˜„์žฌ ์ฝ”๋“œ ์ƒํƒœ์— ๋ฌธ๋ฒ•์ ์ธ ์˜ค๋ฅ˜๋‚˜ ๊ธฐ๋Šฅ์ƒ์˜ ํฐ ์œ„ํ—˜์€ ๋ณด์ด์ง€ ์•Š์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,22 @@ +package com.example.chatgptcodereviewtest.dto; + +import lombok.AllArgsConstructor; +import lombok.Getter; +import lombok.NoArgsConstructor; +import lombok.ToString; + +/** + * ์„ค๋ช…: + * + * @author ์ตœํ˜„๋ฒ”(Jayce) / hb.choi@dreamus.io + * @since 2023/03/23 + */ +@Getter +@ToString +@NoArgsConstructor +@AllArgsConstructor +public class InputDto { + + private String name; + private int age; +}
Java
์œ„ ์ฝ”๋“œ๋Š” lombok ๋ผ์ด๋ธŒ๋Ÿฌ๋ฆฌ๋ฅผ ์ด์šฉํ•ด InputDto ํด๋ž˜์Šค๋ฅผ ์ƒ์„ฑํ•˜๊ณ  ์žˆ๋Š” ๊ฒƒ์œผ๋กœ ๋ณด์ž…๋‹ˆ๋‹ค. ๊ฐœ์„ ์ : 1. ํด๋ž˜์Šค์™€ ๋ณ€์ˆ˜ ์ด๋ฆ„์„ ๋” ๋ช…ํ™•ํ•˜๊ฒŒ ์ ์–ด์ฃผ๋ฉด ์ข‹๊ฒ ์Šต๋‹ˆ๋‹ค. 2. Setter๊ฐ€ ์—†๊ธฐ ๋•Œ๋ฌธ์— name๊ณผ age์— ๋Œ€ํ•œ ์ผ๋ถ€ ์ •๋ณด ๋ณ€๊ฒฝ์ด ๋ถˆ๊ฐ€๋Šฅํ•ฉ๋‹ˆ๋‹ค. ๋”ฐ๋ผ์„œ, ํ•ด๋‹น DTO๋ฅผ ์‚ฌ์šฉํ•˜๋Š” ํด๋ž˜์Šค์—์„œ ์ œ์–ดํ•  ์ˆ˜ ์žˆ๋„๋ก Setter ๋ฉ”์†Œ๋“œ ์ถ”๊ฐ€๋ฅผ ๊ณ ๋ คํ•ด๋ณผ ํ•„์š”์„ฑ์ด ์žˆ์Šต๋‹ˆ๋‹ค. ๋ฒ„๊ทธ ๊ฐ€๋Šฅ์„ฑ: ํ˜„์žฌ ํ•ด๋‹น ์ฝ”๋“œ์—์„œ ๋ฒ„๊ทธ๋Š” ๋ณด์ด์ง€ ์•Š์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,20 @@ +package com.example.chatgptcodereviewtest.service; + +import com.example.chatgptcodereviewtest.dto.InputDto; +import org.springframework.stereotype.Service; + +/** + * ์„ค๋ช…: + * + * @author ์ตœํ˜„๋ฒ”(Jayce) / hb.choi@dreamus.io + * @since 2023/03/23 + */ +@Service +public class TestService { + + public int addAgeAndNameLength(InputDto inputDto) { + int age = inputDto.getAge(); + int nameLength = inputDto.getName().length(); + return age + nameLength; + } +}
Java
์œ„์˜ ์ฝ”๋“œ ๋ฆฌ๋ทฐ์— ๋Œ€ํ•œ ์ œ ์ƒ๊ฐ์ž…๋‹ˆ๋‹ค. ๊ธฐ๋Šฅ์ ์œผ๋กœ ๋ฌธ์ œ๊ฐ€ ์—†์–ด ๋ณด์ด๋ฉฐ, ์ถ”๊ฐ€ ๊ฐœ์„  ์‚ฌํ•ญ์€ ์—†์Šต๋‹ˆ๋‹ค. ๊ทธ๋Ÿฌ๋‚˜ ๋ช‡ ๊ฐ€์ง€ ์ž‘์€ ์ˆ˜์ • ์‚ฌํ•ญ์„ ์ œ์•ˆํ•ด ๋“œ๋ฆฌ๊ฒ ์Šต๋‹ˆ๋‹ค: - ์ฃผ์„์ด ์ƒ์„ธํ•˜์ง€ ์•Š์•„ ๋ณ€๊ฒฝ ๋œ ํ”„๋กœ์ ํŠธ์— ๋Œ€ํ•ด ์ถฉ๋ถ„ํ•œ ์„ค๋ช…์„ ์ œ๊ณตํ•˜์ง€ ์•Š์Šต๋‹ˆ๋‹ค. ๋ฉ”์†Œ๋“œ ์ด๋ฆ„ 'addAgeAndNameLength' ์ž์ฒด๊ฐ€ ๊ธฐ๋Šฅ์„ ์„ค๋ช…ํ•˜๋Š” ๋ฐ ๋งค์šฐ ํฌ๊ด„์ ์ž…๋‹ˆ๋‹ค. ์ข€ ๋” ๊ตฌ์ฒด์ ์ธ ๋ฉ”์†Œ๋“œ ๋ฐ ํด๋ž˜์Šค ์„ค๋ช…๊ณผ ํ•จ๊ป˜ ์ฃผ์„์„ ์ถ”๊ฐ€ํ•˜๋Š” ๊ฒƒ์ด ์ข‹์Šต๋‹ˆ๋‹ค. - ๋ชจ๋“  ์˜ˆ์™ธ๋ฅผ ์ฒ˜๋ฆฌ ํ•  ์ˆ˜ ์žˆ๋„๋ก try-catch ๋ธ”๋ก์„ ์ถ”๊ฐ€ํ•  ์ˆ˜ ์žˆ์Šต๋‹ˆ๋‹ค. ์˜ˆ์ธกํ•  ์ˆ˜์—†๋Š” ๊ฐ’์„ ์ „๋‹ฌํ•˜์—ฌ ์ถœ๋ ฅ ๊ฐ’์ด ์Œ์ˆ˜๊ฐ€๋˜๋Š” ๊ฒฝ์šฐ ๋“ฑ ์œ„ํ—˜์„ฑ์ด ์žˆ๋Š” ๊ธฐ๋Šฅ์€ ์—†์œผ๋ฉฐ, ๊ธฐ๋ณธ ์œ ๋‹› ํ…Œ์ŠคํŠธ๋ฅผ ์ž‘์„ฑํ•˜์—ฌ ์ฝ”๋“œ์˜ ์ •ํ™•์„ฑ์„ ๊ฒ€์ฆํ•˜๋Š” ๊ฒƒ์ด ์ข‹์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,49 @@ +package lotto.domain; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; + +public class LottoGame { + private static final int TICKET_PRICE = 1000; + + List<LottoTicket> lottoTickets; + LottoMatch lottoMatch; + + public LottoGame() { + this.lottoTickets = new ArrayList<>(); + } + + public List<LottoTicket> buyLottoTicket(int money) { + int ticketNum = money / TICKET_PRICE; + + for (int i = 0; i < ticketNum; i++) { + this.lottoTickets.add(new LottoTicket()); + } + + return this.lottoTickets; + } + + public HashMap<LottoMatchNumber, Integer> winLotto() { + return this.lottoMatch.matchResult(lottoTickets); + } + + public void inputTargetNumbers(String input) { + lottoMatch = new LottoMatch(input); + } + + + public double checkIncome(HashMap<LottoMatchNumber, Integer> results, int money){ + double income = 0; + + int totalIncome = 0; + for (LottoMatchNumber lottoMatchNumber : LottoMatchNumber.values()) { + totalIncome += lottoMatchNumber.totalPrizeMoney(results.get(lottoMatchNumber)); + } + + income = (double) totalIncome/money; + + return income; + } + +}
Java
์ ‘๊ทผ ์ œํ•œ์ž๋ฅผ ๋ถ™์ด๋Š”๊ฒŒ ์ข‹์„ ๊ฒƒ ๊ฐ™๋„ค์š”.
@@ -0,0 +1,28 @@ +package lotto.domain; + +import stringcalculator.Operation; + +public enum LottoMatchNumber { + MATCH3(3, 5000) {int totalPrizeMoney(int count) {return prizeMoney * count;}}, + MATCH4(4, 50000) {int totalPrizeMoney(int count) {return prizeMoney * count;}}, + MATCH5(5, 1500000) {int totalPrizeMoney(int count) {return prizeMoney * count;}}, + MATCH6(6, 2000000000) {int totalPrizeMoney(int count) {return prizeMoney * count;}}; + + private final int matchNumber; + protected final int prizeMoney; + abstract int totalPrizeMoney(int count); + + LottoMatchNumber(int matchNumber, int prizeMoney) { + this.matchNumber = matchNumber; + this.prizeMoney = prizeMoney; + } + + public int getMatchNumber() { + return matchNumber; + } + + @Override + public String toString() { + return matchNumber + "๊ฐœ ์ผ์น˜ (" + prizeMoney + "์›)"; + } +}
Java
enum๋„ ๋น„์ฆˆ๋‹ˆ์Šค ๋กœ์ง์˜ ์ผ๋ถ€์ด๋ฏ€๋กœ view ๋ถ€๋ถ„์˜ ๊ตฌํ˜„์„ enum์— ๋‘๋Š”๊ฑด ์ข‹์ง€ ์•Š์„ ๊ฒƒ ๊ฐ™์•„์š”.
@@ -0,0 +1,28 @@ +package lotto.domain; + +import stringcalculator.Operation; + +public enum LottoMatchNumber { + MATCH3(3, 5000) {int totalPrizeMoney(int count) {return prizeMoney * count;}}, + MATCH4(4, 50000) {int totalPrizeMoney(int count) {return prizeMoney * count;}}, + MATCH5(5, 1500000) {int totalPrizeMoney(int count) {return prizeMoney * count;}}, + MATCH6(6, 2000000000) {int totalPrizeMoney(int count) {return prizeMoney * count;}}; + + private final int matchNumber; + protected final int prizeMoney; + abstract int totalPrizeMoney(int count); + + LottoMatchNumber(int matchNumber, int prizeMoney) { + this.matchNumber = matchNumber; + this.prizeMoney = prizeMoney; + } + + public int getMatchNumber() { + return matchNumber; + } + + @Override + public String toString() { + return matchNumber + "๊ฐœ ์ผ์น˜ (" + prizeMoney + "์›)"; + } +}
Java
๋“ฑ์ˆ˜๋ณ„๋กœ ๋ชจ๋‘ ๋™์ผํ•œ ๊ตฌํ˜„์ฒด๋ฅผ ๊ฐ€์ง„ ๊ฒƒ ๊ฐ™์€๋ฐ์š”. ์ถ”์ƒ ๋ฉ”์„œ๋“œ๋กœ ์ •์˜๋  ํ•„์š”๊ฐ€ ์žˆ๋Š”์ง€ ๊ณ ๋ฏผ์ด ํ•„์š”ํ•ด๋ณด์—ฌ์š”. ๊ทธ๋ฆฌ๊ณ  ํ˜„์žฌ ๋กœ๋˜ ๋„๋ฉ”์ธ์—์„œ enum์ด ๋กœ๋˜์˜ ๋“ฑ์ˆ˜๋ณ„ ๊ฐœ์ˆ˜ ๋ฐ ๋‹น์ฒจ ๊ธˆ์•ก์„ ๋‚˜ํƒ€๋‚ด๋Š” ์—ญํ• ์„ ํ•˜๊ณ  ์žˆ์Šต๋‹ˆ๋‹ค. ๊ณ ์ •๋œ ์ƒ์ˆ˜๋“ค๋งŒ ๊ฐ€์ง€๋Š”๊ฒŒ ์•„๋‹ˆ๋ผ ๋ฐ›์€ ๊ฐœ์ˆ˜๋งŒํผ ๊ณฑํ•ด์„œ ๊ณ„์‚ฐํ•ด์ฃผ๋Š” ์—ญํ• ์„ ๊ฐ€์ง€๋Š”๊ฒŒ ์ ์ ˆํ• ์ง€๋„ ๊ณ ๋ฏผํ•ด๋ณด์‹œ๋ฉด ์ข‹๊ฒ ๋„ค์š”.
@@ -0,0 +1,49 @@ +package lotto.domain; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; + +public class LottoGame { + private static final int TICKET_PRICE = 1000; + + List<LottoTicket> lottoTickets; + LottoMatch lottoMatch; + + public LottoGame() { + this.lottoTickets = new ArrayList<>(); + } + + public List<LottoTicket> buyLottoTicket(int money) { + int ticketNum = money / TICKET_PRICE; + + for (int i = 0; i < ticketNum; i++) { + this.lottoTickets.add(new LottoTicket()); + } + + return this.lottoTickets; + } + + public HashMap<LottoMatchNumber, Integer> winLotto() { + return this.lottoMatch.matchResult(lottoTickets); + } + + public void inputTargetNumbers(String input) { + lottoMatch = new LottoMatch(input); + } + + + public double checkIncome(HashMap<LottoMatchNumber, Integer> results, int money){ + double income = 0; + + int totalIncome = 0; + for (LottoMatchNumber lottoMatchNumber : LottoMatchNumber.values()) { + totalIncome += lottoMatchNumber.totalPrizeMoney(results.get(lottoMatchNumber)); + } + + income = (double) totalIncome/money; + + return income; + } + +}
Java
์ค‘์š”ํ•œ ๋ถ€๋ถ„์€ ์•„๋‹ˆ์ง€๋งŒ Stream.generate๋ฅผ ํ†ตํ•ด ๋ถˆ๋ณ€ ํ˜•ํƒœ๋กœ ํ‘œํ˜„ํ•  ์ˆ˜ ์žˆ์„ ๊ฒƒ ๊ฐ™๋„ค์š”. ๊ฐ€๋ณ€๋ณด๋‹ค๋Š” ๋ถˆ๋ณ€ ํ˜•ํƒœ๋กœ ํ‘œํ˜„ํ•˜๋Š”๊ฒŒ ์‚ฌ์ด๋“œ ์ดํŽ™ํŠธ๋„ ์ ๊ณ  ๊ฐ€๋…์„ฑ ์ธก๋ฉด์—์„œ๋„ ์ข‹์„ ๊ฒƒ ๊ฐ™์•„์š”.
@@ -0,0 +1,49 @@ +package lotto.domain; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; + +public class LottoGame { + private static final int TICKET_PRICE = 1000; + + List<LottoTicket> lottoTickets; + LottoMatch lottoMatch; + + public LottoGame() { + this.lottoTickets = new ArrayList<>(); + } + + public List<LottoTicket> buyLottoTicket(int money) { + int ticketNum = money / TICKET_PRICE; + + for (int i = 0; i < ticketNum; i++) { + this.lottoTickets.add(new LottoTicket()); + } + + return this.lottoTickets; + } + + public HashMap<LottoMatchNumber, Integer> winLotto() { + return this.lottoMatch.matchResult(lottoTickets); + } + + public void inputTargetNumbers(String input) { + lottoMatch = new LottoMatch(input); + } + + + public double checkIncome(HashMap<LottoMatchNumber, Integer> results, int money){ + double income = 0; + + int totalIncome = 0; + for (LottoMatchNumber lottoMatchNumber : LottoMatchNumber.values()) { + totalIncome += lottoMatchNumber.totalPrizeMoney(results.get(lottoMatchNumber)); + } + + income = (double) totalIncome/money; + + return income; + } + +}
Java
์ผ๋ฐ˜์ ์œผ๋กœ ๋ฉ”์„œ๋“œ ๋ฆฌํ„ด ํƒ€์ž…์ด๋‚˜ ํŒŒ๋ผ๋ฏธํ„ฐ ๋“ฑ์€ ๋‹คํ˜•์„ฑ ์ธก๋ฉด์—์„œ ์ด์ ์ด ์—†๊ธฐ ๋•Œ๋ฌธ์— ๊ตฌ์ฒด ํƒ€์ž…(HashMap)์„ ์‚ฌ์šฉํ•˜์ง€ ์•Š์Šต๋‹ˆ๋‹ค. ์ด์œ ๊ฐ€ ์žˆ๋Š”๊ฒŒ ์•„๋‹ˆ๋ผ๋ฉด ์ธํ„ฐํŽ˜์ด์Šค์ธ Map์„ ๋ฆฌํ„ด ํƒ€์ž…์œผ๋กœ ์“ฐ์‹œ๋Š”๊ฒŒ ์–ด๋–จ๊นŒ์š”?
@@ -0,0 +1,49 @@ +package lotto.domain; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; + +public class LottoGame { + private static final int TICKET_PRICE = 1000; + + List<LottoTicket> lottoTickets; + LottoMatch lottoMatch; + + public LottoGame() { + this.lottoTickets = new ArrayList<>(); + } + + public List<LottoTicket> buyLottoTicket(int money) { + int ticketNum = money / TICKET_PRICE; + + for (int i = 0; i < ticketNum; i++) { + this.lottoTickets.add(new LottoTicket()); + } + + return this.lottoTickets; + } + + public HashMap<LottoMatchNumber, Integer> winLotto() { + return this.lottoMatch.matchResult(lottoTickets); + } + + public void inputTargetNumbers(String input) { + lottoMatch = new LottoMatch(input); + } + + + public double checkIncome(HashMap<LottoMatchNumber, Integer> results, int money){ + double income = 0; + + int totalIncome = 0; + for (LottoMatchNumber lottoMatchNumber : LottoMatchNumber.values()) { + totalIncome += lottoMatchNumber.totalPrizeMoney(results.get(lottoMatchNumber)); + } + + income = (double) totalIncome/money; + + return income; + } + +}
Java
์ด๋Ÿฐ ํ˜•ํƒœ๋กœ ์‚ฌ์šฉํ• ๊ฑฐ๋ฉด ์ธ์Šคํ„ด์Šค ๋ณ€์ˆ˜ ์—†์ด ๋ฐ”๋กœ ๋ฆฌํ„ดํ•˜๋Š” ํ˜•ํƒœ๋กœ ์‚ฌ์šฉํ•˜๋ฉด ์–ด๋–จ๊นŒ์š”?
@@ -0,0 +1,47 @@ +package lotto.domain; + + +import java.util.*; + +public class LottoMatch { + + List<Integer> targetNumbers; + + + public LottoMatch(String input) { + targetNumbers = new ArrayList<>(); + String[] inputs = input.split(", "); + + for (int i = 0; i < inputs.length; i++) { + targetNumbers.add(Integer.valueOf(inputs[i])); + } + } + + public HashMap<LottoMatchNumber, Integer> matchResult(List<LottoTicket> myNumbers) { + HashMap<LottoMatchNumber, Integer> results = new HashMap<>(); + results.put(LottoMatchNumber.MATCH3, 0); + results.put(LottoMatchNumber.MATCH4, 0); + results.put(LottoMatchNumber.MATCH5, 0); + results.put(LottoMatchNumber.MATCH6, 0); + + for (LottoTicket myNumber : myNumbers) { + int matchCount = myNumber.checkMatch(targetNumbers); + inputMatchResult(matchCount, results); + } + + return results; + } + + private void inputMatchResult(int matchCount, HashMap<LottoMatchNumber, Integer> results) { + for (LottoMatchNumber lottoMatchNumber : LottoMatchNumber.values()) { + inputMatchCount(matchCount, results, lottoMatchNumber); + } + } + + private void inputMatchCount(int matchCount, HashMap<LottoMatchNumber, Integer> results, LottoMatchNumber lottoMatchNumber) { + if (lottoMatchNumber.getMatchNumber() == matchCount) { + results.put(lottoMatchNumber, results.get(lottoMatchNumber) + 1); + } + } + +}
Java
Stream์˜ groupingBy๋‚˜ Function.identity๋ฅผ ํ™œ์šฉํ•ด๋ณด์•„๋„ ์ข‹์„ ๊ฒƒ ๊ฐ™๋„ค์š”.
@@ -0,0 +1,47 @@ +package lotto.domain; + + +import java.util.*; + +public class LottoMatch { + + List<Integer> targetNumbers; + + + public LottoMatch(String input) { + targetNumbers = new ArrayList<>(); + String[] inputs = input.split(", "); + + for (int i = 0; i < inputs.length; i++) { + targetNumbers.add(Integer.valueOf(inputs[i])); + } + } + + public HashMap<LottoMatchNumber, Integer> matchResult(List<LottoTicket> myNumbers) { + HashMap<LottoMatchNumber, Integer> results = new HashMap<>(); + results.put(LottoMatchNumber.MATCH3, 0); + results.put(LottoMatchNumber.MATCH4, 0); + results.put(LottoMatchNumber.MATCH5, 0); + results.put(LottoMatchNumber.MATCH6, 0); + + for (LottoTicket myNumber : myNumbers) { + int matchCount = myNumber.checkMatch(targetNumbers); + inputMatchResult(matchCount, results); + } + + return results; + } + + private void inputMatchResult(int matchCount, HashMap<LottoMatchNumber, Integer> results) { + for (LottoMatchNumber lottoMatchNumber : LottoMatchNumber.values()) { + inputMatchCount(matchCount, results, lottoMatchNumber); + } + } + + private void inputMatchCount(int matchCount, HashMap<LottoMatchNumber, Integer> results, LottoMatchNumber lottoMatchNumber) { + if (lottoMatchNumber.getMatchNumber() == matchCount) { + results.put(lottoMatchNumber, results.get(lottoMatchNumber) + 1); + } + } + +}
Java
์ƒ์„ฑ์ž๋Š” ์ด๋ฏธ ์ƒ์„ฑ์ด๋ž€ ์ฑ…์ž„์„ ๊ฐ€์ง€๊ณ  ์žˆ๋Š”๋ฐ ์ƒ์„ฑ์ž ๋‚ด๋ถ€์—์„œ split์„ ํ†ตํ•œ ํŒŒ์‹ฑ ๋ฐ ์—ฌ๋Ÿฌ ์ฑ…์ž„์ด ํฌํ•จ๋˜์–ด ์žˆ๋„ค์š”. ์ƒ์„ฑ์ž์— ๋กœ์ง์„ ๋„ฃ๊ณ  ์‹ถ๋‹ค๋ฉด ์ •์  ํŒฉํ„ฐ๋ฆฌ๋กœ ๋ถ„๋ฆฌํ•˜๊ณ  ์ •์  ํŒฉํ„ฐ๋ฆฌ์— ๋กœ์ง์„ ์ถ”๊ฐ€ํ•œ ๋’ค ๊ฑฐ๊ธฐ์„œ ์ƒ์„ฑ์ž๋ฅผ ํ˜ธ์ถœํ•˜๊ฑฐ๋‚˜ ํ•˜๋Š” ํ˜•ํƒœ๋กœ ๊ตฌํ˜„ํ•˜๋Š”๊ฑด ์–ด๋–จ๊นŒ์š”?
@@ -0,0 +1,65 @@ +package lotto.domain; + +import java.util.ArrayList; +import java.util.Collections; +import java.util.List; + +public class LottoTicket { + + private static final int PICK_NUMBERS = 6; + + List<Integer> lottoNumbers; + + public LottoTicket() { + this.lottoNumbers = new ArrayList<>(); + for (int i = 1; i <= 45; i++) { + this.lottoNumbers.add(i); + } + lottoNumbers = issueTicket(); + } + + public LottoTicket(List<Integer> ticketNumbers) { + this.lottoNumbers = new ArrayList<>(ticketNumbers); + } + + public List<Integer> issueTicket() { + Collections.shuffle(this.lottoNumbers); + this.lottoNumbers = this.lottoNumbers.subList(0, PICK_NUMBERS); + Collections.sort(this.lottoNumbers); + + return this.lottoNumbers; + } + + + public int checkMatch(List<Integer> targetNumbers) { + if (targetNumbers.size() != this.lottoNumbers.size()) { + throw new IllegalArgumentException("๋‹น์ฒจ ๋ฒˆํ˜ธ ๊ฐœ์ˆ˜๊ฐ€ ์ผ์น˜ ํ•˜์ง€ ์•Š์Šต๋‹ˆ๋‹ค."); + } + + int count = 0; + for (int i = 0; i < this.lottoNumbers.size(); i++) { + count = compareTargetnumbers(targetNumbers, i, count); + } + + return count; + } + + private int compareTargetnumbers(List<Integer> targetNumbers, int i, int count) { + for (int j = 0; j < targetNumbers.size(); j++) { + count = compareNumbers(targetNumbers, i, count, j); + } + return count; + } + + private int compareNumbers(List<Integer> targetNumbers, int i, int count, int j) { + if (this.lottoNumbers.get(i) == targetNumbers.get(j)) { + count++; + } + return count; + } + + @Override + public String toString() { + return lottoNumbers.toString(); + } +}
Java
์ œ์•ฝ ์กฐ๊ฑด ๊ฒ€์ฆ์ด ์ „ํ˜€ ํฌํ•จ๋˜์–ด ์žˆ์ง€ ์•Š๋„ค์š”. ๋„๋ฉ”์ธ์˜ ํŠน์„ฑ์„ ์ž˜ ๋‚˜ํƒ€๋‚ด์ง€ ๋ชปํ•˜๋Š” ๊ฒƒ ๊ฐ™์Šต๋‹ˆ๋‹ค. 1. 1 - 45๊นŒ์ง€์˜ ์ˆซ์ž๋งŒ ์กด์žฌํ•ด์•ผ ํ•จ 2. 6๊ฐœ์˜ ์ค‘๋ณต๋˜์ง€ ์•Š์€ ์ˆซ์ž๋กœ ์ด๋ฃจ์–ด์ ธ์•ผ ํ•จ ์œ„์™€ ๊ฐ™์ด ๋กœ๋˜ ๋„๋ฉ”์ธ์˜ ํŠน์„ฑ์ด ํด๋ž˜์Šค์— ๋ฐ˜์˜๋˜๋„๋ก ์„ค๊ณ„ํ•ด๋ณด์‹œ๋ฉด ์ข‹๊ฒ ์Šต๋‹ˆ๋‹ค.
@@ -0,0 +1,39 @@ +package nextstep.auth.authentication; + +import nextstep.member.application.UserDetailsService; +import nextstep.member.domain.User; +import org.springframework.web.servlet.HandlerInterceptor; + +import javax.servlet.http.HttpServletRequest; +import javax.servlet.http.HttpServletResponse; +import java.io.IOException; + +public abstract class Authenticator implements HandlerInterceptor { + + private final UserDetailsService userDetailsService; + + public Authenticator(UserDetailsService userDetailsService) { + this.userDetailsService = userDetailsService; + } + + @Override + public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws IOException { + AuthenticationToken token = convert(request); + User user = userDetailsService.loadUserByUsername(token.getPrincipal()); + + checkAuthentication(user, token.getCredentials()); + authenticate(user, response); + + return false; + } + + abstract public AuthenticationToken convert(HttpServletRequest request) throws IOException; + + abstract public void authenticate(User user, HttpServletResponse response) throws IOException; + + private void checkAuthentication(User user, String password) { + if (!user.checkPassword(password)) { + throw new AuthenticationException(); + } + } +}
Java
์•„๋ž˜ ์š”๊ตฌ์‚ฌํ•ญ์ด ๋ฐ˜์˜๋˜์ง€ ์•Š์€ ๊ฒƒ ๊ฐ™์•„์š” ๐Ÿ˜ข <img width="516" alt="แ„‰แ…ณแ„แ…ณแ„…แ…ตแ†ซแ„‰แ…ฃแ†บ 2022-08-16 แ„‹แ…ฉแ„’แ…ฎ 10 07 08" src="https://user-images.githubusercontent.com/17218212/184886987-febc108f-8b2f-403b-a53e-bf36f069cc24.png">
@@ -1,51 +1,45 @@ package nextstep.auth.token; import com.fasterxml.jackson.databind.ObjectMapper; -import nextstep.auth.authentication.AuthenticationException; -import nextstep.member.application.LoginMemberService; -import nextstep.member.domain.LoginMember; +import nextstep.auth.authentication.AuthenticationToken; +import nextstep.auth.authentication.Authenticator; +import nextstep.member.application.UserDetailsService; +import nextstep.member.domain.User; import org.springframework.http.MediaType; -import org.springframework.web.servlet.HandlerInterceptor; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; +import java.io.IOException; import java.util.stream.Collectors; -public class TokenAuthenticationInterceptor implements HandlerInterceptor { - private LoginMemberService loginMemberService; - private JwtTokenProvider jwtTokenProvider; +public class TokenAuthenticationInterceptor extends Authenticator { + private final JwtTokenProvider jwtTokenProvider; + private final ObjectMapper objectMapper = new ObjectMapper(); - public TokenAuthenticationInterceptor(LoginMemberService loginMemberService, JwtTokenProvider jwtTokenProvider) { - this.loginMemberService = loginMemberService; + public TokenAuthenticationInterceptor(UserDetailsService userDetailsService, JwtTokenProvider jwtTokenProvider) { + super(userDetailsService); this.jwtTokenProvider = jwtTokenProvider; } @Override - public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws Exception { + public AuthenticationToken convert(HttpServletRequest request) throws IOException { String content = request.getReader().lines().collect(Collectors.joining(System.lineSeparator())); TokenRequest tokenRequest = new ObjectMapper().readValue(content, TokenRequest.class); String principal = tokenRequest.getEmail(); String credentials = tokenRequest.getPassword(); - LoginMember loginMember = loginMemberService.loadUserByUsername(principal); - - if (loginMember == null) { - throw new AuthenticationException(); - } - - if (!loginMember.checkPassword(credentials)) { - throw new AuthenticationException(); - } + return new AuthenticationToken(principal, credentials); + } - String token = jwtTokenProvider.createToken(loginMember.getEmail(), loginMember.getAuthorities()); + @Override + public void authenticate(User member, HttpServletResponse response) throws IOException { + String token = jwtTokenProvider.createToken(member.getEmail(), member.getAuthorities()); TokenResponse tokenResponse = new TokenResponse(token); - String responseToClient = new ObjectMapper().writeValueAsString(tokenResponse); + String responseToClient = objectMapper.writeValueAsString(tokenResponse); response.setStatus(HttpServletResponse.SC_OK); response.setContentType(MediaType.APPLICATION_JSON_VALUE); response.getOutputStream().print(responseToClient); - - return false; } }
Java
`ObjectMapper` ๋Š” ์ƒ์„ฑ ๋น„์šฉ์ด ๋น„์‹ธ๋‹ค๊ณ  ์•Œ๋ ค์ง„ ๊ฐ์ฒด์ž…๋‹ˆ๋‹ค. ์˜์กด์„ฑ ์ฃผ์ž…์„ ํ†ตํ•ด ํ•ด๊ฒฐํ•ด๋ณผ ์ˆ˜ ์žˆ์„๊นŒ์š”? ๐Ÿ˜„
@@ -0,0 +1,8 @@ +package nextstep.member.application; + +import nextstep.member.domain.User; + +public interface UserDetailsService { + + User loadUserByUsername(String email); +}
Java
์ด ์ธํ„ฐํŽ˜์ด์Šค๊ฐ€ `member` ํŒจํ‚ค์ง€์— ์žˆ๋Š”๊ฒŒ ๋งž์„๊นŒ์š”? ๐Ÿค”
@@ -0,0 +1,83 @@ +package nextstep.subway.unit; + +import com.fasterxml.jackson.databind.ObjectMapper; +import nextstep.auth.authentication.AuthenticationToken; +import nextstep.auth.authentication.LoginMember; +import nextstep.auth.token.JwtTokenProvider; +import nextstep.auth.token.TokenAuthenticationInterceptor; +import nextstep.auth.token.TokenRequest; +import nextstep.auth.token.TokenResponse; +import nextstep.member.application.UserDetailsService; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.api.extension.ExtendWith; +import org.mockito.InjectMocks; +import org.mockito.Mock; +import org.mockito.junit.jupiter.MockitoExtension; +import org.springframework.http.HttpStatus; +import org.springframework.mock.web.MockHttpServletRequest; +import org.springframework.mock.web.MockHttpServletResponse; + +import javax.servlet.http.HttpServletResponse; +import java.io.IOException; +import java.util.List; + +import static org.assertj.core.api.Assertions.assertThat; +import static org.mockito.ArgumentMatchers.any; +import static org.mockito.BDDMockito.given; +import static org.mockito.Mockito.when; + +@ExtendWith({MockitoExtension.class}) +class TokenAuthenticationInterceptorMockTest { + private static final String EMAIL = "email@email.com"; + private static final String PASSWORD = "password"; + public static final String JWT_TOKEN = "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJzdWIiOiIiLCJuYW1lIjoiSm9obiBEb2UiLCJpYXQiOjE1MTYyMzkwMjJ9.ih1aovtQShabQ7l0cINw4k1fagApg3qLWiB8Kt59Lno"; + + @Mock + JwtTokenProvider jwtTokenProvider; + + @Mock + UserDetailsService userDetailsService; + + ObjectMapper mapper = new ObjectMapper(); + + @InjectMocks + TokenAuthenticationInterceptor interceptor; + + @Test + void convert() throws IOException { + AuthenticationToken token = interceptor.convert(createMockRequest()); + + assertThat(token).isEqualTo(new AuthenticationToken(EMAIL, PASSWORD)); + } + + @Test + void authenticate() throws IOException { + MockHttpServletResponse response = new MockHttpServletResponse(); + when(jwtTokenProvider.createToken(any(), any())).thenReturn(JWT_TOKEN); + + interceptor.authenticate(new LoginMember(EMAIL, PASSWORD, List.of()), response); + + assertThat(response.getStatus()).isEqualTo(HttpServletResponse.SC_OK); + assertThat(mapper.readValue(response.getContentAsString(), TokenResponse.class)).isEqualTo(new TokenResponse(JWT_TOKEN)); + } + + @Test + void preHandle() throws IOException { + MockHttpServletResponse response = new MockHttpServletResponse(); + given(userDetailsService.loadUserByUsername(any())).willReturn(new LoginMember(EMAIL, PASSWORD, List.of())); + given(jwtTokenProvider.createToken(any(), any())).willReturn(JWT_TOKEN); + boolean result = interceptor.preHandle(createMockRequest(), response, new Object()); + + assertThat(result).isFalse(); + assertThat(response.getStatus()).isEqualTo(HttpStatus.OK.value()); + assertThat(response.getContentAsString()).isEqualTo(mapper.writeValueAsString(new TokenResponse(JWT_TOKEN))); + } + + private MockHttpServletRequest createMockRequest() throws IOException { + MockHttpServletRequest request = new MockHttpServletRequest(); + TokenRequest tokenRequest = new TokenRequest(EMAIL, PASSWORD); + request.setContent(mapper.writeValueAsString(tokenRequest).getBytes()); + + return request; + } +}
Java
์ด๋Ÿฐํ˜•ํƒœ๋กœ ๊ฒ€์ฆ๋„ ๊ฐ€๋Šฅํ•ฉ๋‹ˆ๋‹ค ๐Ÿ˜„ ```suggestion given(jwtTokenProvider.createToken(any(), any())).willReturn(JWT_TOKEN); boolean result = interceptor.preHandle(createMockRequest(), response, new Object()); assertThat(result).isFalse(); assertThat(response.getStatus()).isEqualTo(HttpStatus.OK.value()); assertThat(response.getContentAsString()).isEqualTo(mapper.writeValueAsString(new TokenResponse(JWT_TOKEN))); ```
@@ -10,7 +10,7 @@ import static org.assertj.core.api.Assertions.assertThat; class MemberAcceptanceTest extends AcceptanceTest { - public static final String EMAIL = "email@email.com"; + public static final String EMAIL = "email2@email.com"; public static final String PASSWORD = "password"; public static final int AGE = 20; @@ -67,10 +67,32 @@ void deleteMember() { @DisplayName("ํšŒ์› ์ •๋ณด๋ฅผ ๊ด€๋ฆฌํ•œ๋‹ค.") @Test void manageMember() { + // given + ExtractableResponse<Response> createResponse = ํšŒ์›_์ƒ์„ฑ_์š”์ฒญ(EMAIL, PASSWORD, AGE); + String newEmail = "new@email.com"; + + // when + ExtractableResponse<Response> response = ํšŒ์›_์ •๋ณด_์ˆ˜์ •_์š”์ฒญ(createResponse, newEmail, PASSWORD, AGE); + ExtractableResponse<Response> member = ํšŒ์›_์ •๋ณด_์กฐํšŒ_์š”์ฒญ(createResponse); + + // then + assertThat(response.statusCode()).isEqualTo(HttpStatus.OK.value()); + assertThat(member.jsonPath().getString("email")).isEqualTo(newEmail); } @DisplayName("๋‚˜์˜ ์ •๋ณด๋ฅผ ๊ด€๋ฆฌํ•œ๋‹ค.") @Test void manageMyInfo() { + // given + ExtractableResponse<Response> createResponse = ํšŒ์›_์ƒ์„ฑ_์š”์ฒญ(EMAIL, PASSWORD, AGE); + String newEmail = "new@email.com"; + + // when + ExtractableResponse<Response> response = ๋ฒ ์ด์ง_์ธ์ฆ์œผ๋กœ_๋‚ด_ํšŒ์›_์ •๋ณด_์ˆ˜์ •_์š”์ฒญ(EMAIL, PASSWORD, newEmail, PASSWORD, AGE); + ExtractableResponse<Response> member = ํšŒ์›_์ •๋ณด_์กฐํšŒ_์š”์ฒญ(createResponse); + + // then + assertThat(response.statusCode()).isEqualTo(HttpStatus.OK.value()); + assertThat(member.jsonPath().getString("email")).isEqualTo(newEmail); } } \ No newline at end of file
Java
์ธ์ˆ˜ํ…Œ์ŠคํŠธ๋ฅผ ์ฝ๋Š” ์‚ฌ๋žŒ์ด ๋ˆ„๊ตฌ์ธ๊ฐ€์— ๋Œ€ํ•ด ๊ณ ๋ฏผํ•ด๋ด์•ผ ํ•˜๋Š”๋ฐ์š”. ํด๋ฆฐ ์• ์ž์ผ์˜ ๊ตฌ์ ˆ์„ ์ธ์šฉํ•˜๋ฉด >์ธ์ˆ˜ํ…Œ์ŠคํŠธ๋Š” ์—…๋ฌด ๋ถ„์„๊ฐ€์™€ QA, ๊ฐœ๋ฐœ์ž๊ฐ€ ํ•จ๊ป˜ ํž˜์„ ๋ชจ์•„ ์ž‘์„ฑํ•œ๋‹ค. ์ด์™€ ๊ฐ™์ด ์ธ์ˆ˜ํ…Œ์ŠคํŠธ๋ฅผ ์ฝ๋Š” ์‚ฌ๋žŒ์ด ๋ชจ๋‘ ๊ฐœ๋ฐœ์ž๋Š” ์•„๋‹ ์ˆ˜ ์žˆ๋‹ค๊ณ  ์ƒ๊ฐํ•ฉ๋‹ˆ๋‹ค ๐Ÿ˜ƒ.