문제 링크
초 단위로 기록된 주식가격이 담긴 배열 prices가 매개변수로 주어질 때, 가격이 떨어지지 않은 기간은 몇 초인지를 return 하도록 solution 함수를 완성하세요.
딱 떠오른 것은 이중 루프 (i in 0..prices.length > j in i+1..prices.length)를 사용하는 것이다.
반복 구조가 있을까?
없어 보인다.
class Solution {
public int[] solution(int[] prices) {
int[] result = new int[prices.length];
for(int i = 0; i < prices.length; i++) {
result[i] = prices.length - i - 1;
for(int j = i+1; j < prices.length; j++) {
if(prices[j] < prices[i]) {
result[i] = j - i;
break;
}
}
}
return result;
}
}