[PS]Programmers/코딩테스트입문/Lv0/Day15: 한번만 등장한 문자

2023. 5. 4. 14:46✨ PS(ProblemSolving)

문제

문자열 s가 매개변수로 주어집니다. s에서 한 번만 등장하는 문자를 사전 순으로 정렬한 문자열을 return 하도록 solution 함수를 완성해보세요. 한 번만 등장하는 문자가 없을 경우 빈 문자열을 return 합니다.


풀이

function solution(s) {
    var answer = '';
    let cnt = {}
    for (i = 0; i < s.length; i++) {
        if (cnt.hasOwnProperty(s[i])) {
            cnt[s[i]]++
        } else {
            cnt[s[i]] = 1
        }
    }
    for (j =0; j < Object.keys(cnt).length; j++) {
        if (cnt[Object.keys(cnt)[j]] === 1) {
            answer += Object.keys(cnt)[j]
        }
    }
    return [...answer].sort().join('');
}

줍줍

  • object 사용 방법: 배열이 아니기 때문에 Object.keys를 사용
  • Object.hasOwnProperty(): method, Object 안에 값을 가지고 있을 경우 true를 반환
    const object1 = {};
    object1.property1 = 42;
    

console.log(object1.hasOwnProperty('property1'));
// Expected output: true

console.log(object1.hasOwnProperty('toString'));
// Expected output: false

console.log(object1.hasOwnProperty('hasOwnProperty'));
// Expected output: false
```