Human Readable Time ( 5 kyu )

문제

Write a function, which takes a non-negative integer (seconds) as input and returns the time in a human-readable format (HH:MM:SS)

HH = hours, padded to 2 digits, range: 00 - 99
MM = minutes, padded to 2 digits, range: 00 - 59
SS = seconds, padded to 2 digits, range: 00 - 59
The maximum time never exceeds 359999 (99:59:59)

You can find some examples in the test fixtures.

주어진 초를 시,분,초로 출력하는 문제

풀이

function humanReadable(seconds) {
  let result = '',h = 0, m = 0 , s = 0;
  h = parseInt(seconds/3600);
  seconds = seconds - 3600*h
  m = parseInt(seconds/60);
  seconds = seconds - 60*m;
  s = seconds;
  h < 10 ? result += '0' + h + ':' : result += h + ':';
  m < 10 ? result += '0' + m + ':' : result += m + ':';
  s < 10 ? result += '0' + s : result += s;
  return result
}

3600, 60으로 나눈 몫을 h,m, 나머지를 s에 담아 리턴

처음에 어렵게 생각해서 while문 돌리고 난리쳤는데 그럴 필요가 없었음.

다른 사람의 풀이

unction humanReadable(seconds) {
  var pad = function(x) { return (x < 10) ? "0"+x : x; }
  return pad(parseInt(seconds / (60*60))) + ":" +
         pad(parseInt(seconds / 60 % 60)) + ":" +
         pad(seconds % 60)
}

내 코드는 쓰면서도 너무 중복이 많았는데 효율적으로 잘 잡은 것 같음.

clever 130개 받을만 한 코드


+ Recent posts