There is a biker going on a road trip. The road trip consists of n + 1 points at different altitudes. The biker starts his trip on point 0 with altitude equal 0.
You are given an integer array gain of length n where gain[i] is the net gain in altitude between points i and i + 1 for all (0 <= i < n). Return the highest altitude of a point.
자전거로 도로 여행을 떠나는 사람이 있습니다. 도로 여행은 서로 다른 고도를 가지는 n + 1
개의 지점으로 구성됩니다. 자전거 타는 사람은 지점과 고도의 초기값을 0
으로 하고 여행을 시작합니다.
n
의 길이를 가지는 정수 배열 gain
이 주어지는데, gain[i]
는 (0<=i<n)
일때 i
에서 i+1
로 여행할 떄 고도의 순수변화량입니다. 고도의 변화량을 반영해 가장 높은 고도를 반환 하세요
Input: gain = [-5,1,5,0,-7]
Output: 1
Explanation: The altitudes are [0,-5,-4,1,1,-6]. The highest is 1.
Input: gain = [-4,-3,-2,-1,4,3,2]
Output: 0
Explanation: The altitudes are [0,-4,-7,-9,-10,-6,-3,-1]. The highest is 0.
class Solution {
public int largestAltitude(int[] gain) {
int maxSum = 0;
int prefixSum = 0;
for (int i = 0; i < gain.length; i++) {
prefixSum += gain[i];
maxSum = Math.max(maxSum, prefixSum);
}
return maxSum;
}
}