gas station

There are N gas stations along a circular route, where the amount of gas at station i isgas[i].
You have a car with an unlimited gas tank and it costscost[i]of gas to travel from station i to its next station (i+1). You begin the journey with an empty tank at one of the gas stations.
Return the starting gas station’s index if you can travel around the circuit once, otherwise return -1.
Note:
The solution is guaranteed to be unique.

思路1:

基本的方法,试验从一个 gas station出发,如果oil可以通过这段路,则继续测试下station,如果不能通过,则改变出现的station。 注意这是一个循环数组。

很开心,一次过

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
public class Solution {
public int canCompleteCircuit(int[] gas, int[] cost) {
if(gas==null)
return -1;
int len=gas.length;
for(int start=0;start<len;start++)
{
int hasGo=0;
int oil=0;
while(hasGo<len)
{
int nowStation=(start+hasGo)%len;
oil+=gas[nowStation]-cost[nowStation];
if(oil>=0)
{
hasGo++;
}
else
{
break;
}
}
if(oil>=0)
return start;
}
return -1;
}
}

思路2:

如果某一站有剩余的油量,即diff[i]=gas[i]-cost[i],diff[i]>0,这样这一站的油量会帮助后面有足够的油量通过下一段路。如果从某一站开始,能通过每一段路,则这个站就是开始的站点。因为此题只有一个解法,所以这样的情况是唯一的。
记 sum[i,j] = ∑diff[k] where i<=k<j
如果sum[i,j]小于0,那么这个起点肯定不为i,跟第一个问题的原理一样。举个例子,假设i是[0,n]的解,那么我们知道 任意sum[k,i-1] (0<=k<i-1) 肯定是小于0的,否则解就应该是k。同理,sum[i,n]一定是大于0的,否则,解就不应该是i,而是i和n之间的某个点。所以第二题的答案,其实就是在0到n之间,找到第一个连续子序列(这个子序列的结尾必然是n)大于0的。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
public class Solution {
public int canCompleteCircuit(int[] gas, int[] cost) {
if(gas==null)
return -1;
int len=gas.length;
int leftGas=0;
int sum=0;
int start=0;
int[] diff=new int[len];
for(int i=0;i<len;i++)
{
diff[i]=gas[i]-cost[i];
leftGas+=diff[i];
}
if(leftGas<0)
return -1;
for(int j=0;j<len;j++)
{
sum+=diff[j];
if(sum<0)
{
sum=0;
start=j+1;
}
}
return start;

}
}