-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy path134.swift
64 lines (57 loc) · 1.54 KB
/
134.swift
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
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
//
// 134.swift
// swift-leetcode
//
// Created by Q YiZhong on 2019/7/2.
// Copyright © 2019 YiZhong Qi. All rights reserved.
//
import Foundation
/**
这题归类在贪心算法里,但是我这里使用的是一个时间复杂度为O(n^2)的算法
以下是时间复杂度为O(n)的贪心算法👇
func canCompleteCircuit(_ gas: [Int], _ cost: [Int]) -> Int {
var res = 0
var run = 0
var rest = 0 //所有汽油-所有消耗
for i in 0..<gas.count {
run += gas[i] - cost[i]
rest += gas[i] - cost[i]
//run大于0说明才有可能到下一个加油站
if run < 0 {
res = i + 1
run = 0
}
}
//如果所有汽油都小于所有消耗说明不存在可以循环的情况
return rest < 0 ? -1 : res
}
*/
func canCompleteCircuit(_ gas: [Int], _ cost: [Int]) -> Int {
//从每一个加油站出发
for i in 0..<gas.count {
var j = i
var oil = 0
//开始循环驾驶这条路
while true {
//加油
oil += gas[j]
if oil - cost[j] >= 0 {
//油够了
oil -= cost[j]
} else {
//油不够,没必要循环了
break
}
j += 1
if j == cost.count {
//路到头了,回到最开始
j = 0
}
if j == i {
//回到最开始的加油站,满足条件
return i
}
}
}
return -1
}