/**
*環形路上有n個加油站,第i個加油站的汽油量是gas[i].
* 你有一輛車,車的油箱能夠無限裝汽油。從加油站i走到下一個加油站(i+1)花費的油量是cost[i],你從一個加油站出發,剛開始的時候油箱裏面沒有汽油。
* 求從哪一個加油站出發能夠在環形路上走一圈。返回加油站的下標,若是沒有答案的話返回-1。
* 注意:
* 答案保證惟一。
*
*/
public class Main56 {
public static void main(String[] args) {
int[] gas = {41,42,3,4,45};
int[] cost = {1,2,63,64,5};
System.out.println(Main56.canCompleteCircuit(gas, cost));
}
public static int canCompleteCircuit(int[] gas, int[] cost) {
int[] rest = new int[gas.length];
for (int i=0;i<gas.length;i++) {
rest[i] = gas[i] - cost[i];
}
int index = 0;
int total = 0;
for (int i=0;i<rest.length;i++) {
total = total + rest[i];
if (rest[i] < 0) {
index = i+1;
}
}
return total >= 0 ? index : -1;
}
}