134、加油站
思路:统计每个站点的余量,然后累加,如果到某个站点为负数了,则之前遍历过的都不可能为起始站,因为每个都继承了前面的正数量的汽油,因此起始站重新设为下一个站点。
class Solution {
public int canCompleteCircuit(int[] gas, int[] cost) {
int curSum = 0;
int allSum = 0;
int start = 0;
for(int i = 0; i<gas.length; i++){
int temp = -cost[i] + gas[i];
curSum += temp;
allSum += temp;
if(curSum < 0){
start = i + 1;
curSum = 0;
}
}
if(allSum < 0){
return -1;
}
return start;
}
}
135、分糖果
思路:不能一次性顾左右,必须往返两次来增加糖果。注意第二次分糖果时,第i个持有糖果可能本来就比第i+1个多一个以上,所以不能直接取第i+1个持有糖果数+1,否则可能下一位的糖果不增反减。
class Solution {
public int candy(int[] ratings) {
int[] res = new int[ratings.length];
res[0] = 1;
for(int i = 1; i<ratings.length; i++){
if(ratings[i] > ratings[i-1]){
res[i] = res[i-1] + 1;
}else{res[i] = 1;}
}
int count = res[res.length - 1];
for(int j = res.length - 2; j >= 0; j--){
if(ratings[j] > ratings[j+1]){
res[j] = Math.max(res[j+1] + 1,res[j]);
}
count += res[j];
}
return count;
}
}
860.柠檬水找零
思路:只有收到二十块钱需要贪心思路--优先找零十块。
轻松愉快的一题。
class Solution {
public boolean lemonadeChange(int[] bills) {
int five = 0;
int ten = 0;
int twenty = 20;
for(int bill : bills){
if(bill == 5){
five++;
}else if(bill ==10){
if(five <=0){return false;}
five--;
ten++;
}else if(bill == 20){
if(ten >= 1 && five >= 1){
five--;
ten--;
}else if(five >=3){
five-=3;
}else{return false;}
}
}
return true;
}
}
406. 根据身高重建队列
class Solution {
public int[][] reconstructQueue(int[][] people) {
Arrays.sort(people, (a,b) ->{
if(a[0] == b[0]){
return a[1] - b[1];
}else {return b[0] - a[0];}
});
List<int[]> que = new LinkedList<>();
if(1==1){
for(int i = 0; i <people.length; i++){
int pos = people[i][1];
que.add(pos, people[i]);
}
}
return que.toArray(new int[que.size()][]);
}
}