977: 第一眼看题思路是暴力解法:先把里面的数字都平方,然后再用sorts功能(两个for loop),很快就写出来,但是感觉不是最优解。
class Solution {
public int[] sortedSquares(int[] nums) {
for(int i=0; i<nums.length; i++){
nums[i] = nums[i]*nums[i];
}
for(int j=0; j<nums.length; j++){
for(int k=j; k<nums.length; k++){
if(nums[j] > nums[k]){
int temp = nums[j];
nums[j] = nums[k];
nums[k] = temp;
}
}
}
return nums;
}
}
然后去看视频讲解,理解了双指针的思路--最大值一定在两端,所以只要看左边和右边的哪个更大,就放进新的array里面,然后相应的指针移动。在写的过程中,一直在想如何在原本的array里面swap,卡在这里。但是后面看文章讲解发现可以直接新建一个array,然后一个一个放进去。
Code:
class Solution {
public int[] sortedSquares(int[] nums) {
//two pointer
//largest number will be at two side
int n = nums.length;
int left = 0;
int right = n-1;
int k= n - 1;
int[] result = new int[n];
while(left <= right){
int left_s = nums[left] * nums[left];
int right_s = nums[right] * nums[right];
if(left_s >= right_s){
result[k] = left_s;
left++;
}else if(right_s > left_s){
result[k] = right_s;
right--;
}
k--;
}
return result;
}
}
209:
先用暴力写法写了一遍,然后理解了滑动窗口。重点:没有While loop sub_l就不会更新,要把result设成Integer.MAX_VALUE
用时1h30min
Code:
class Solution {
public int minSubArrayLen(int target, int[] nums) {
int n = nums.length;
int left = 0;
int sum = 0;
int result = Integer.MAX_VALUE;
for(int right =0; right < n; right++){
sum += nums[right];
while(sum >= target){
int sub_l = right - left + 1;
result = Math.min(result, sub_l);
sum = sum - nums[left];
left++;
}
}
if(result == Integer.MAX_VALUE){
result = 0;
}
return result;
}
}
59:
主要思路为:定出Bottom, Top, Left, Right,然后每完成一个阶段的填空,有一个变量要相应的变化。易错点再于很难理清那个要变化,所以要画图,更能看清楚。
Code:
class Solution {
public int[][] generateMatrix(int n) {
int[] [] m = new int[n][n];
int right = n-1;
int left = 0;
int top = 0;
int bottom = n-1;
int number = 1;
while(left<=right && top <= bottom){
for(int i=left; i<=right; i++){
m[top][i] = number;
number++;
}
top++;
for(int i=top; i<=bottom; i++)
{
m[i][right] = number;
number++;
}
right--;
for(int i=right; i>=left; i--){
m[bottom][i] = number;
number++;
}
bottom--;
for(int i=bottom; i>=top; i--){
m[i][left] = number;
number++;
}
left++;
}
return m;
}
}
用时:2h
总结:先看视频解析,然后自己写,重点是搞清楚方法