728x90
문제
https://school.programmers.co.kr/learn/courses/30/lessons/340213?language=java
프로그래머스
SW개발자를 위한 평가, 교육, 채용까지 Total Solution을 제공하는 개발자 성장을 위한 베이스캠프
programmers.co.kr
해설
10초앞, 10초뒤, 인트로 스킵 기능을 구현하는 문제입니다.
시간을 다루는 문제는 가장 작은 단위( 해당 문제에서는 초)로 줄이는 방식으로 연산하기 편하도록 데이터를 변경해 줍니다. 이때 split함수를 사용해 string 입력값을 mm, ss로 나누고 각각 int로 형변환하여mm*60+ss 으로 시간을 통일합니다.
이후 10초 앞과 10초 뒤를 간단히 구현하고
놓치기 쉬운 인트로 스킵 기능을 모든 순간에 적용 되도록 처음 시작 전과 반복되는 순간마다 작동하도록 넣어줍니다.
또 출력할 때에 9분 5초인경우 09:05로 표기해야하므로 10미만인 경우 앞에 0을 붙이게 하여 출력합니다(0초인 경우에도 String으로 형변환시 0이므로 00초로 출력됩니다.)
주의점
- 인트로 스킵 기능을 잘 넣는다
- 출력시 양식 00:00을 지키도록 한다.
코드
class Solution {
public String solution(String video_len, String pos, String op_start, String op_end, String[] commands) {
String answer = "";
int vl = sTimeToTime(video_len);
int now = sTimeToTime(pos);
int opStart = sTimeToTime(op_start);
int opEnd = sTimeToTime(op_end);
if(now <= opEnd && now >= opStart) now = opEnd;
for(int i=0;i<commands.length;i++){
if(commands[i].equals("prev")){
now = prev(now);
}else{
now = next(now, vl);
}
if(now <= opEnd && now >= opStart) now = opEnd;
}
StringBuilder sb = new StringBuilder();
if(now/60<10){
sb.append("0");
}
sb.append(Integer.toString(now/60));
sb.append(":");
if(now%60<10){
sb.append("0");
}
sb.append(Integer.toString(now%60));
return sb.toString();
}
public int sTimeToTime(String input){
String[] time = input.split(":");
return (Integer.parseInt(time[0]) * 60 + Integer.parseInt(time[1]));
}
public int prev(int input){
return input-10<=0 ? 0 : input-10;
}
public int next(int input, int vl){
return input+10>=vl ? vl : input+10;
}
}
728x90