보통사람

[7kyu] 가장 짧은 단어의 길이 찾기 (Shortest Word) 본문

Codewars/Javascript

[7kyu] 가장 짧은 단어의 길이 찾기 (Shortest Word)

pej4303 2019. 8. 2. 23:46
/**
 * <pre>
 * 가장 짧은 단어의 길이 찾기 (Shortest Word)
 * 
 * 간단한 단어의 문자열이 주어지면 가장 짧은 단어의 길이를 반환합니다.
 * 문자열은 결코 비어 있지 않으므로 다른 데이터 유형을 고려할 필요가 없습니다.
 * 
 * Simple, given a string of words, return the length of the shortest word(s).
 * String will never be empty and you do not need to account for different data types.
 * </pre>
 *
 * @auther : pej
 * @date : 2019. 04. 06.
 * @param : {String} 여러 단어로 구성된 문자열
 * @return : {Number} 문자열의 길이
 * @example : findShort("abc abcd") ==> 3
 *
 */
function findShort(s){
    var arr = [];   // 문자열의 길이를 가지고 있는 배열
    var tmp = s.split(/\s/);
    for ( var i=0;  i<tmp.length; i++ ) {
        arr.push(tmp[i].length);
    }
    
    return Math.min.apply(null, arr);
}

 

  • 방법2) - 다른 사람이 한 것

function findShort(s){
    return Math.min.apply(null, s.split(' ').map(w => w.length));
}