🔖 문제
🔖접근 방식
딱 한번 구매하고, 딱 한번 판매하는 과정을 통해 최대 이익을 반환해야되기때문에,
배열에서 최대값과 최솟값을 찾아 최댓값 - 최솟값하게 된다면, 결과값은 최대 이익이 반환됩니다.
다만 주의해야할 점이 주식을 산 이후의 날짜에 매도할 수 있다는 점입니다.
🔖문제 풀이 코드
class Solution {
public int maxProfit(int[] prices) {
if (prices == null || prices.length == 0) {
return 0;
}
int min = prices[0];
int max= 0;
int profit = 0;
for (int i = 1; i < prices.length; i++) {
if ( prices[i] < min) {
// 최솟 값 찾기
min = prices[i];
} else {
profit = prices[i] - min;
if ( profit > max) {
//profit의 최댓값 찾기
max = profit;
}
}
}
return max;
}
}