leetcode134:加油站(贪心算法)

leetcode134:加油站

  • 题目:

    • 在一条环路上有 n 个加油站,其中第 i 个加油站有汽油 gas[i] 升。

      你有一辆油箱容量无限的的汽车,从第 i 个加油站开往第 i+1 个加油站需要消耗汽油 cost[i] 升。你从其中的一个加油站出发,开始时油箱为空。

      给定两个整数数组 gas 和 cost ,如果你可以绕环路行驶一周,则返回出发时加油站的编号,否则返回 -1 。如果存在解,则 保证 它是 唯一 的。

  • 思路:贪心算法+代码注释

  • 代码如下:

class Solution {
    public int canCompleteCircuit(int[] gas, int[] cost) {
        int curSum = 0;
        int totalSum = 0;
        int res = 0;
        int n = gas.length;
        for ( int i = 0; i < n; i++ ) {
            curSum += gas[i] - cost[i];
            totalSum += gas[i] - cost[i];
            if (curSum < 0 ) {
                //说明以下标为i 的起点不能成功到达终点,切换起点位置
                res = (i + 1) % n;
                curSum = 0;
            }
        }
        //说明总加油数 小于 总消耗数
        if ( totalSum < 0 ) {
            return -1;
        }
        return res;
    }
}

你可能感兴趣的:(leetcode算法题解答,算法,leetcode,java,贪心算法)