[프로그래머스] 개인정보 수집 유효기간 (2023 KAKAO BLIND RECRUITMENT)

2023. 1. 10. 17:02기록/Programmers

    목차

문제 링크

https://school.programmers.co.kr/learn/courses/30/lessons/150370

 

프로그래머스

코드 중심의 개발자 채용. 스택 기반의 포지션 매칭. 프로그래머스의 개발자 맞춤형 프로필을 등록하고, 나와 기술 궁합이 잘 맞는 기업들을 매칭 받으세요.

programmers.co.kr


나의 문제 풀이

function solution(today, terms, privacies) {
  let answer = [];

  const map = new Map();
  terms.forEach((term) => {
    const [type, month] = term.split(' ');
    map.set(type, month);
  });

  privacies.forEach((privacy, idx) => {
    const [date, type] = privacy.split(' ');
    const expiredDate = new Date(date);
    expiredDate.setMonth(expiredDate.getMonth() + Number(map.get(type)));
    if (new Date(today) >= expiredDate) {
      answer.push(idx + 1);
    }
  });

  answer.sort((a, b) => a - b);
  return answer;
}
  • 주어진 terms 배열의 문자열을 하나씩 꺼냄
    • 문자열을 공백으로 구분하여 나누고 변수에 구조 분해 할당함
      • type: 약관 종류, month: 유효 기간
    • map에 type를 key 값으로, month을 value 로 넣음
  • 주어진 privacies 배열의 문자열을 하나씩 꺼냄
    • 문자열을 공백으로 구분하여 나누고 변수에 구조 분해 할당함
      • date: 개인정보 수집 일자, type: 약관 종류
    • date 를 인수로 전달해 Date 객체를 만들어 expiredDate 변수에 할당함
    • expiredDate 변수에 할당된 Date 객체의 월을 설정함
      • 현재 월 + map에서 type을 key 값으로 찾은 값(유효 기간)을 숫자로 변환한 값 === 만료 일자
    • 현재 날짜로 생성한 Date 객체가 expiredDate 변수에 할당된 Date 객체보다 크거나 같을 경우
      • 유효기간이 지난 것이기 때문에 정답 배열에 idx + 1을 넣어줌
  • 정답 배열의 요소들을 오름차순으로 정렬하여 리턴함

다른 사람의 문제 풀이

function solution(today, terms, privacies) {
  var answer = [];
  var [year, month, date] = today.split(".").map(Number);
  var todates = year * 12 * 28 + month * 28 + date;
  var t = {};
  
  terms.forEach((e) => {
    let [a, b] = e.split(" ");
    t[a] = Number(b);
  });
  
  privacies.forEach((e, i) => {
    var [day, term] = e.split(" ");
    day = day.split(".").map(Number);
    var dates = day[0] * 12 * 28 + day[1] * 28 + day[2] + t[term] * 28;
    if (dates <= todates) answer.push(i + 1);
  });
  return answer;
}