Medium思考题,分类/题意/思路/代码。
数组 Array 基础 80 Remove Duplicates from Sorted Array II Remove Duplicates from Sorted Array II
给出一组排好序的数,要求去除数组里数,使其中数最多重复两次。返回数组长度。
Given
Modified
[1,1,1,2,2,3]
[1,1,2,2,3]
[0,0,1,1,1,1,2,3,3]
[0,0,1,1,2,3,3]
[0,0,0,0,0]
[0,0]
说是medium但其实也很水,保持两个数组概念,和#26 #27类似,设定变量,判定当前数组当前位和新数组前两位是否相同,不同则存入。覆盖原数组。
2019.05.16
1 2 3 4 5 6 7 8 9 10 11 class Solution { public int removeDuplicates (int [] nums) { int flag = 2 ; for (int i = 2 ;i < nums.length;i++) { if (nums[i] != nums[flag - 2 ]) { nums[flag++] = nums[i]; } } return flag; } }
134 Gas Station Gas Station
给出两组数,第一组gas分别表示每个加油站可加的油,第二组cost分别表示目前加油站到达下一加油站所消耗的油量。要求从某一加油站加满油出发,顺时针循环所有的加油站并回到出发的加油站,返回该出发加油站的索引。如果中途油不够无法完成循环,则返回-1。
2019.05.18
指定了是顺时针循环的话,难度就降低了很多。先预设结果是不可能,station = -1。遍历每一站,对每一站尝试进行“加油、消耗”操作,如果结果为负,说明在前往下一站的路上油不足,跳出循环看下一站,如果结果为正说明走得通。数组循环的话并不难,将其前面的位数都排到后面来即可,例如:
数组
0
1
2
3
4
gas
1
2
3
4
5
cost
3
4
5
1
2
从index为3(即第四个)加油站出发的话,循环到回到原处就是将两组的前三位复制到末尾。可构思存在这样一个数组:
数组
0
1
2
3
4
5
6
7
gas
1
2
3
4
5
1
2
3
cost
3
4
5
1
2
3
4
5
但因为是重复的,所以也不必再设立一个数组增加空间复杂度,只需要简单进行求余算index获得数值即可。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 class Solution { public int canCompleteCircuit (int [] gas, int [] cost) { int station = -1 ; for (int i = 0 ; i < gas.length; i++){ while (gas[i] < cost[i] && i < gas.length-1 ) i++; int sum = 0 ; for (int j = i; j < gas.length + i; j++){ sum += gas[j%gas.length]-cost[j%gas.length]; if (sum < 0 ){ break ; } } if (sum >= 0 )station = i; } return station; } }
-1的判断其实是很容易的,只要所有加油站油总量比要消耗的要少,就是无法完成循环操作,返回-1。除此以外的情况是一定有满足条件的出发加油站。
既然确定答案肯定存在,就可以大胆预设。由解一可以看到,这样的一个加油站将这个循环路程分为两段,前一段路程一旦出现亏损,即run < 0,说明肯定无法抵达下一站,但是既然预设这样一个出发站肯定存在,那么说明亏损之后肯定存在盈余,才能支撑整个循环油量的收支平衡。这里很容易想到,一段循环路程,如果要出现亏损,势必也是先盈余后亏损。因此,出现亏损的点十分重要,预示着之前的路程应该属于循环路途的末尾段,而该点之后的路程应该属于起先段,所以将该点之后的第一个加油站设为起发站。
但如何能确定这就是唯一的起发站呢?还有一点需要注意,假设了一个起发站后,如果以起发站为界,加了该起发点的油后,如果之后的路程还出现油量亏损到无法去下一站的情况,那么该假设的加油站需要舍弃,无法到达的下一站一定有充足的油量能够驶完全程。
1 2 3 4 5 run += (gas[i] - cost[i]); if (run < 0 ){ start = i + 1 ; run = 0 ; }
这一步真的很巧妙,包含了“测试每一个起发点,如果无法去下一个站点即舍弃”的操作。同时还包含了一个解题关键:在确定能完成循环的前提下,目前的路程一旦出现无法去下一站的情况,则下一站一定是起发点,同时重新计算路程油量的收支情况,不行则再次舍弃。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 class Solution { public int canCompleteCircuit (int [] gas, int [] cost) { int rest = 0 , run = 0 , start = 0 ; for (int i = 0 ; i < gas.length; ++i){ run += (gas[i] - cost[i]); rest += (gas[i] - cost[i]); if (run < 0 ){ start = i + 1 ; run = 0 ; } } return rest < 0 ? -1 : start; } }
229 Majority Element II Majority Element II
给出两组无序数,返回所有占总数三分之一以上的数
2019.05.19
蠢办法,先快排一下,遍历数组中每一位,直接跨越数组三分之一的长度和目标数比较,如果相同则再看之前有没有收入相同的该数,没有则收入。
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 class Solution { public List<Integer> majorityElement (int [] nums) { List<Integer> answer = new ArrayList <Integer>(); quickSort(nums,0 ,nums.length-1 ); for (int i= 0 ; i < nums.length-nums.length/3 ; i++){ if (nums[i] == nums[i+nums.length/3 ]){ if (answer.isEmpty()){ answer.add(nums[i]); }else if (answer.get(answer.size()-1 ) != nums[i]){ answer.add(nums[i]); } } } return answer; } public static void quickSort (int a[], int low, int hight) { int i, j, index; if (low > hight) { return ; } i = low; j = hight; index = a[i]; while (i < j) { while (i < j && a[j] >= index) j--; if (i < j) a[i++] = a[j]; while (i < j && a[i] < index) i++; if (i < j) a[j--] = a[i]; } a[i] = index; quickSort(a, low, i - 1 ); quickSort(a, i + 1 , hight); } }
摩尔投票算法,相同的三个数可以消除,判断留下的最终两位是否符合存在大于三分之一的条件。算法介绍可参见这篇文章:Boyer-Moore Voting Algorithm 摩尔投票算法
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 class Solution { public List<Integer> majorityElement (int [] nums) { List<Integer> answer = new ArrayList <Integer>(); int candidate1 = 0 ,candidate2 = 0 ,count1 = 0 , count2 = 0 ; for (int i= 0 ; i < nums.length; i++){ if (nums[i] == candidate1){ count1++; }else if (nums[i] == candidate2){ count2++; }else if (count1 == 0 ){ candidate1 = nums[i]; count1 = 1 ; }else if (count2 == 0 ){ candidate2 = nums[i]; count2 = 1 ; }else { count1--; count2--; } } count1 = count2 = 0 ; for (int i = 0 ; i < nums.length; i++){ if (nums[i] == candidate1) count1++; else if (nums[i] == candidate2) count2++; } if (count1 > nums.length/3 ) answer.add(candidate1); if (count2 > nums.length/3 ) answer.add(candidate2); return answer; } }
274 H-Index H-Index
涉及一个h-index
的概念
H指数的计算基于其研究者的论文数量及其论文被引用的次数。赫希认为:一个人在其所有学术文章中有N篇论文分别被引用了至少N次,他的H指数就是N。如美国耶鲁大学免疫学家理查德·弗来沃发表的900篇文章中,有107篇被引用了107次以上,他的H指数是107。
给出一组长度为n的无序数,表示该科学家的n篇论文对应的被引次数,求该科学家的H指数
2019.05.20
很容易想到从高到底快排一次,遍历该降序数组,如果当前值大于等于其序号(从1开始而非0开始)就存入,不停覆盖。例如例题中[3,0,6,1,5]排序后[6,5,3,1,0],第1
篇引用次数6
大于等于1
,第2
篇引用次数5
大于等于2
,第3
篇引用次数3
大于等于3
,覆盖存入,之后的都不会进入if语句块。最后得到最终结果为3。
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 class Solution { public int hIndex (int [] citations) { int answer = 0 ; quickSort(citations,0 ,citations.length-1 ); for (int i = 0 ; i < citations.length; i++){ if (citations[i] >= i+1 ){ answer = i+1 ; } } return answer; } public void quickSort (int [] nums, int left, int right) { int i, j, starter; if (left > right)return ; starter = nums[left]; i = left; j = right; while (i != j){ while (nums[j] <= starter && i < j)j--; while (nums[i] >= starter && i < j)i++; if (i < j){ int temp = nums[i]; nums[i] = nums[j]; nums[j] = temp; } } nums[left] = nums[i]; nums[i] = starter; quickSort(nums, left, i-1 ); quickSort(nums, i+1 , right); } }
首先想到的也是排序,桶排序的话长度是多少呢?破除常规思路,想到总共n篇文章,H指数最大为n,最小为0,设置桶排序的序号为答案,序号最长也不过是n,由此设立一个序号为0-n的数组。例如对[4,0,6,1,5]进行桶排序:
注意这里,大于n的6也被归类于序号为n的计数中,因为大于n的不管多少都不必在意其值了。然后将这个数组从后向前遍历,本质上模拟一个将原引用数组从高到低排序再数数的过程:前2篇文章不大于其序号5,前3篇文章不大于其序号4,类似于对答案再往下对一步:前3篇文章大于等于其序号,则返回当前序号3。 注意这里需要考虑[1,1]等类似情况,因此if语句中不能是count == i。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public int hIndex (int [] citations) { int [] buckets = new int [citations.length+1 ]; for (int c : citations) { if (c >= citations.length) { buckets[citations.length]++; } else { buckets[c]++; } } int count = 0 ; for (int i = citations.length; i >= 0 ; i--) { count += buckets[i]; if (count >= i) { return i; } } return 0 ; } }
275 H-Index II H-Index II
题意如#274,但这次给出的是升序数组,要求时间复杂度对数级。
既然是对数级,就用二分查找。 举例[0,1,4,5,6],数组中每个值和它的h值有这样的对应关系:
数组值
0
1
4
5
6
需要对应的h值
5
4
3
2
1
在二分查找的过程中,如果某个h值满足条件(即h值小于它对应的值),我们就到前半部分继续查找;如果h值不满足条件(即h值大于它对应的值),我们就到前半部分继续查找。
2019.05.20
1 2 3 4 5 6 7 8 9 10 11 class Solution { public int hIndex (int [] citations) { int start = 0 , end = citations.length-1 ; while (start <= end){ int mid = (end + start)/2 ; if ( citations[mid] < citations.length-mid) start = mid + 1 ; else end = mid - 1 ; } return citations.length-start; } }
220 Contains Duplicate III Contains Duplicate III
给出一组无序数nums,一个k,一个t,要求存在nums[i]和nums[j],使得二者绝对值小于等于t,同时i与j的绝对值小于等于k。
思路如219,设置一个长度为k+1的窗口,例如[1,5,9,1,5,9],k=2,t=3时,则需要设置一个长度为3的窗口,在窗口中观察是否有这样的两个数字满足绝对值小于等于t的情况。不满足则窗口往后平移一位。159,591,915,159,这样平移。
但是窗口中的数字要怎样方便快捷地判断其绝对值呢?想办法排序,但是桶排的话需要的空间太大了,要怎么样尽可能地压缩空间呢?压缩空间,就是减小排序后差值最小的两个数的距离。这里的思路是把当前数除以t,例如[1,5,9,1,5,9],除以t = 3得到的号码牌就是[0,1,3,0,1,3],可见1和5之间的距离被压缩了。
但是尽管相邻,也不代表1和5之间满足绝对值小于等于3的条件,这个时候仍需要参考原数值的值,因此在判断条件后,要将当前数值的号码牌和值本身一起存入一个长度为k的HashMap中。
但这一题小陷阱很多,t是绝对值,肯定不能小于0。那么为了制作号码牌的时候设置除以t+1;数组中存在负数,那么每次先减去一个设定的最小值,即加上一个最大值。
2019.05.21
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public boolean containsNearbyAlmostDuplicate (int [] nums, int k, int t) { if (k == 0 || t < 0 ) return false ; Map<Long, Long> map = new HashMap <Long, Long>(); for (int i = 0 ; i < nums.length; i++) { long transferedCurrentNum = (long ) nums[i] - Integer.MIN_VALUE; long bucketId = transferedCurrentNum / ((long )t + 1 ); if (map.containsKey(bucketId) || map.containsKey(bucketId - 1 ) && transferedCurrentNum - map.get(bucketId - 1 ) <= t || map.containsKey(bucketId + 1 ) && map.get(bucketId + 1 ) - transferedCurrentNum <= t) return true ; if (map.entrySet().size() >= k){ long lastBucket = ((long ) nums[i-k] - Integer.MIN_VALUE) / (t + 1 ); map.remove(lastBucket); } map.put(bucketId, transferedCurrentNum); } return false ; } }
55 Jump Game Jump Game
给出一组无序的非负整数,每个数字是指在其索引的位置上能往右走的最大步数,问在第一位是否能走到数组最后一位。
具体解法看这一篇博文:从 LeetCode#55 入门动态规划
2019.05.22
1 2 3 4 5 6 7 8 9 class Solution { public boolean canJump (int [] nums) { int lastCanJumpToTheEnd = nums.length-1 ; for (int i = lastCanJumpToTheEnd - 1 ; i >= 0 ; i--){ if (i + nums[i] >= lastCanJumpToTheEnd) lastCanJumpToTheEnd = i; } return lastCanJumpToTheEnd == 0 ; } }
309 Best Time to Buy and Sell Stock with Cooldown Best Time to Buy and Sell Stock with Cooldown
给出一组无序数prices,表示商品在不同日期(索引)时对应的不同价格。可以进行无限次交易,但每次只能保持一次完整的交易,即买入新的前必须卖出旧的。并且每次交易后的第二天不能交易
动态规划好难啊…
2019.06.01
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 class Solution { public int maxProfit (int [] prices) { if (prices.length == 0 ) return 0 ; int sold = 0 , hold = -prices[0 ], rest = 0 ; for (int i = 0 ; i < prices.length; i++){ int prvSold = sold; sold = hold + prices[i]; hold = Math.max(hold, rest-prices[i]); rest = Math.max(rest, prvSold); } return Math.max(sold, rest); } }
11 Container With Most Water Container With Most Water
给出一组无序数height,表示在x轴上不同高度的线。两线可组成容器盛水,底是两线之间的距离,高是较短的一线,求能盛最多水的容器的长宽积。
2019.06.04
暴力进行一位一位比较
1 2 3 4 5 6 7 8 9 10 11 12 class Solution { public int maxArea (int [] height) { int maxArea = 0 ; for (int i = 0 ; i < height.length - 1 ; i++){ for (int j = 1 ; j < height.length; j++){ if ((j - i)* Math.min(height[i],height[j]) > maxArea) maxArea = (j - i)* Math.min(height[i],height[j]); } } return maxArea; } }
思路不算难,先从距离最远的两端开始,两端中选出最长的保留,另一端缩短距离再比较,重复操作,直到间距最小。
1 2 3 4 5 6 7 8 9 10 11 12 13 class Solution { public int maxArea (int [] height) { int left = 0 , right = height.length - 1 ; int maxArea = Math.min(height[left] , height[right]) * (right); while (left < right){ if (height[left] > height[right]) right--; else left++; maxArea = Math.max(maxArea, Math.min(height[left] , height[right]) * (right - left)); } return maxArea; } }
15 3Sum 3Sum
给你一个包含 n 个整数的数组 nums,判断 nums 中是否存在三个元素 a,b,c ,使得 a + b + c = 0 ?请你找出所有和为 0 且不重复的三元组。
注意:答案中不可以包含重复的三元组。
示例 1:1 2 输入:nums = [-1,0,1,2,-1,-4] 输出:[[-1,-1,2],[-1,0,1]]
示例 2: 示例 3: 先将数组进行排序,遍历每一位,获得其对应数字,接下去的任务就是从之后的数组中查找出是否有两数之和等于该对应数字。 这一阶段任务可以应用部分二分法,从两端找起,如果两端之和比该数大,则右边向内进一位,否则左边向内进一位。 注意重复值。在最开始就消除重复值的计算,即
1 if (i == 0 || (i > 0 && nums[i] != nums[i - 1 ]))
2021.02.03
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 class Solution { public List<List<Integer>> threeSum (int [] nums) { List<List<Integer>> result = new LinkedList <>(); Arrays.sort(nums); for (int i = 0 ; i < nums.length - 2 ; i++){ if (i == 0 || (i > 0 && nums[i] != nums[i - 1 ])){ int left = i + 1 , right = nums.length -1 , sum = -nums[i]; while (left < right){ if (nums[left] + nums[right] == sum){ result.add(Arrays.asList(nums[i], nums[left], nums[right])); while (left < right && nums[left] == nums[left + 1 ]) left++; while (left < right && nums[right] == nums[right - 1 ])right--; left++; right--; }else if (nums[left] + nums[right] < sum) left++; else right--; } } } return result; } }
16 3Sum Closest 3Sum Closest
给定一个包括 n 个整数的数组 nums 和 一个目标值 target。找出 nums 中的三个整数,使得它们的和与 target 最接近。返回这三个数的和。假定每组输入只存在唯一答案。
示例:1 2 3 输入:nums = [-1,2,1,-4], target = 1 输出:2 解释:与 target 最接近的和是 2 (-1 + 2 + 1 = 2)
和第15题的思路差不多。
先将数组进行排序,遍历每一位,获得其对应数字,接下去的任务就是从之后的数组中查找出是否有两数之和等于该对应数字。 这一阶段任务可以应用部分二分法,从两端找起,如果两端之和比该数大,则右边向内进一位,否则左边向内进一位。
但其中有一点不同,将每次获得的值设为tempSum,去和上一次选出的最接近值比较,如果比其更接近target则替换。
2021.02.05
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public int threeSumClosest (int [] nums, int target) { Arrays.sort(nums); int lastOne = nums[0 ] + nums[1 ] + nums[2 ]; for (int i = 0 ; i < nums.length - 2 ; i++){ if (i == 0 || (i > 0 && nums[i] != nums[i - 1 ])){ int left = i + 1 , right = nums.length - 1 ; while (left < right){ int tempSum = nums[i] + nums[left] + nums[right]; if (Math.abs(tempSum - target) < Math.abs(lastOne - target)) lastOne = tempSum; if (tempSum == target) return target; else if (tempSum < target){ left++; }else right--; } } } return lastOne; } }
18 4Sum 4Sum
给定一个包含 n 个整数的数组 nums 和一个目标值 target,判断 nums 中是否存在四个元素 a,b,c 和 d ,使得 a + b + c + d 的值与 target 相等?找出所有满足条件且不重复的四元组。
注意:
答案中不可以包含重复的四元组。
示例:1 2 3 4 5 6 7 8 给定数组 nums = [1, 0, -1, 0, -2, 2],和 target = 0。 满足要求的四元组集合为: [ [-1, 0, 0, 1], [-2, -1, 1, 2], [-2, 0, 0, 2] ]
和第15题的思路差不多。
先将数组进行排序,遍历每一位,获得其对应数字,接下去的任务就是从之后的数组中查找出是否有两数之和等于该对应数字。 这一阶段任务可以应用部分二分法,从两端找起,如果两端之和比该数大,则右边向内进一位,否则左边向内进一位。
和第15题的区别无非是外面再套一层罢了 但这样的解法时间和空间复杂度都很高。 除此以外,还可以进行一些细微的优化工作,例如在第一层循环中:
确定最左边的1个数,剩下3个数选择数组其余最小3个数,四个数字之和如果大于target,则可以直接退出循环
确定最左边的1个数,剩下3个数选择排序后数组最大三个数,四个数的和如果小于target则可以不必进入第二层循环,继续换第一个数。
同时在第二层循环中同样也可以细节优化:
确定前两个数后,后两位选择数组中最大数字,如果小于target则退出
确定前两个数后,后两位选择数组中最小数字,如果大于target则退出
2021.02.05
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public int threeSumClosest (int [] nums, int target) { Arrays.sort(nums); int lastOne = nums[0 ] + nums[1 ] + nums[2 ]; for (int i = 0 ; i < nums.length - 2 ; i++){ if (i == 0 || (i > 0 && nums[i] != nums[i - 1 ])){ int left = i + 1 , right = nums.length - 1 ; while (left < right){ int tempSum = nums[i] + nums[left] + nums[right]; if (Math.abs(tempSum - target) < Math.abs(lastOne - target)) lastOne = tempSum; if (tempSum == target) return target; else if (tempSum < target){ left++; }else right--; } } } return lastOne; } }
细节优化后:
Runtime: 4 ms, faster than 96.51% of Java online submissions for 4Sum. Memory Usage: 39.2 MB, less than 93.04% of Java online submissions for 4Sum.
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 class Solution { public List<List<Integer>> fourSum (int [] nums, int target) { List<List<Integer>> result = new LinkedList <>(); Arrays.sort(nums); for (int i = 0 ; i < nums.length - 3 ; i++){ if (i > 0 && nums[i] == nums[i - 1 ]) continue ; if (nums[i] + nums[i + 1 ] + nums[i + 2 ] + nums[i + 3 ] > target) break ; if (nums[i] + nums[nums.length - 1 ] + nums[nums.length - 2 ] + nums[nums.length - 3 ] < target) continue ; for (int j = i + 1 ; j < nums.length - 2 ; j++){ if (j > i + 1 && nums[j] == nums[j - 1 ]) { continue ; } if (nums[i] + nums[j] + nums[j + 1 ] + nums[j + 2 ] > target) break ; if (nums[i] + nums[j] + nums[nums.length - 2 ] + nums[nums.length - 1 ] < target) { continue ; } int left = j + 1 , right = nums.length - 1 ; while (left < right) { int sum = nums[i] + nums[j] + nums[left] + nums[right]; if (sum == target) { List<Integer> temp = Arrays.asList(nums[i], nums[j], nums[left], nums[right]); if (!result.contains(temp)) result.add(temp); left++; } else if (sum < target) { left++; } else right--; } } } return result; } }
56 Merge Intervals Merge Intervals
以数组 intervals 表示若干个区间的集合,其中单个区间为 intervals[i] = [starti, endi] 。请你合并所有重叠的区间,并返回一个不重叠的区间数组,该数组需恰好覆盖输入中的所有区间。
示例 1:
1 2 3 输入:intervals = [[1,3],[2,6],[8,10],[15,18]] 输出:[[1,6],[8,10],[15,18]] 解释:区间 [1,3] 和 [2,6] 重叠, 将它们合并为 [1,6].
示例 2:
1 2 3 输入:intervals = [[1,4],[4,5]] 输出:[[1,5]] 解释:区间 [1,4] 和 [4,5] 可被视为重叠区间。
这题用了Java 8 里的lambda comparator,先把数组排序,然后添加排序后的第一个数组。再将之后数组的起始端和第一个数组的结尾端比较。如果在第一个数组表示的间隙内,再判断两个间隙哪个结尾更长;否则的话表示第一个间隔已经没有可以进行扩展的了,添加新间隔为新加入的数组。
注意原来ArrayList中添加过的数组数值在List之外修改 还是会影响List中的结果。
2021.02.09
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 class Solution { public int [][] merge(int [][] intervals) { List<int []> result = new ArrayList <>(); Arrays.sort(intervals, (i1, i2) -> Integer.compare(i1[0 ], i2[0 ])); int [] newInterval = intervals[0 ]; result.add(newInterval); for (int [] temp : intervals){ if (temp[0 ] <= newInterval[1 ]){ newInterval[1 ] = Math.max(newInterval[1 ], temp[1 ]); }else { newInterval = temp; result.add(newInterval); } } return result.toArray(new int [result.size()][]); } }
57 Insert Interval Insert Interval
给你一个 无重叠的 ,按照区间起始端点排序的区间列表。
在列表中插入一个新的区间,你需要确保列表中的区间仍然有序且不重叠(如果有必要的话,可以合并区间)。
示例 1:
1 2 输入:intervals = [[1,3],[6,9]], newInterval = [2,5] 输出:[[1,5],[6,9]]
示例 2:
1 2 3 输入:intervals = [[1,2],[3,5],[6,7],[8,10],[12,16]], newInterval = [4,8] 输出:[[1,2],[3,10],[12,16]] 解释:这是因为新的区间 [4,8] 与 [3,5],[6,7],[8,10] 重叠。
示例 3:
1 2 输入:intervals = [], newInterval = [5,7] 输出:[[5,7]]
示例 4:
1 2 输入:intervals = [[1,5]], newInterval = [2,3] 输出:[[1,5]]
示例 5:
1 2 输入:intervals = [[1,5]], newInterval = [2,7] 输出:[[1,7]]
设立一个start end来标识当前正在考虑插入的间隔。同时遍历给定间隔的数组。将考虑的间隔与给定的间隔比较。这里又分为3种情况:
两者不重复,且考虑间隔在给定间隔右侧。此时直接将给定间隔存入即可。
两者不重复,且考虑间隔在给定间隔左侧。此时先加入考虑间隔。再将当前给定间隔列为新的考虑间隔。
两者重复。则考虑间隔进行更新扩大范围,但不存入,仍需进行下一次考虑。
在循环结束后,存入最后手中的考虑间隔。
2021.02.10
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public int [][] insert(int [][] intervals, int [] newInterval) { List<int []> result = new ArrayList <>(); int start = newInterval[0 ], end = newInterval[1 ]; for (int [] interval : intervals){ if (interval[1 ] < start){ result.add(interval); }else if (interval[0 ] > end){ result.add(new int []{start, end}); start = interval[0 ]; end = interval[1 ]; }else { start = Math.min(start, interval[0 ]); end = Math.max(end, interval[1 ]); } } result.add(new int []{start, end}); return result.toArray(new int [result.size()][]); } }
75 Sort Colors Sort Colors
给定一个包含红色、白色和蓝色,一共 n 个元素的数组,原地对它们进行排序,使得相同颜色的元素相邻,并按照红色、白色、蓝色顺序排列。
此题中,我们使用整数 0、 1 和 2 分别表示红色、白色和蓝色。
示例 1:
1 2 输入:nums = [2,0,2,1,1,0] 输出:[0,0,1,1,2,2]
示例 2:
1 2 输入:nums = [2,0,1] 输出:[0,1,2]
示例 3:
示例 4:
其实就是给出一组全是0,1,2的数组,要求进行从小到大排序。 这题的特别处是在原数组下进行数字的变换。因此设立了一个可移动的start点&end点进行推进和整理。 首先对数组中每一位进行处理,如果等于2就和end点上的数据进行交换,再处理一遍交换来的数字;等于0则和start点上的数据进行交换,处理下一位。
2021.02.21
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 class Solution { public void sortColors (int [] nums) { int start = 0 , end = nums.length - 1 ; for (int i = 0 ; i <= end;){ if (nums[i] == 2 ) { swap(nums, i, end); end--; }else if (nums[i] == 0 ){ swap(nums, i, start); start++;i++; }else i++; } } private void swap (int [] nums, int i, int j) { int temp = nums[i]; nums[i] = nums[j]; nums[j] = temp; } }
334 Increasing Triplet Subsequence Increasing Triplet Subsequence
给出一组无序数nums,问其中是否存在三个数,nums[i] < nums[j] < nums[k],同时i < j < k。要求时间复杂度O(n),空间复杂度O(1)。
把整个数组的数分成三个层次,其中两个分界点,一层小于等于small,一层大于small但是小于等于medium,一层大于medium。small、medium没有固定的值,只要能起到分隔作用即可。一旦出现第三个数,返回true。
2019.06.05
1 2 3 4 5 6 7 8 9 10 11 class Solution { public boolean increasingTriplet (int [] nums) { int small = Integer.MAX_VALUE, medium = Integer.MAX_VALUE; for (int i = 0 ; i < nums.length; i++){ if (nums[i] <= small) small = nums[i]; else if (nums[i] <= medium) medium = nums[i]; else return true ; } return false ; } }
287 Find the Duplicate Number Find the Duplicate Number
给出n+1个无序数,数组中值为1-n,找出重复的数字(必存在也只存在一个)。
约束如下:
不能改变原数组
空间复杂度O(1)
时间复杂度最多O(n2 )
重复数字可能不止重复一次
2019.06.07
找出无序数组重复数字,最先想到的是Arrays.sort和HashSet。
这里有约束,那就先蠢办法遍历
1 2 3 4 5 6 7 8 9 10 11 class Solution { public int findDuplicate (int [] nums) { int duplicate = 0 ; for ( int i = 0 ; i < nums.length - 1 ; i++){ for (int j = i + 1 ; j < nums.length; j++){ if (nums[j] == nums[i]) return nums[i]; } } return duplicate; } }
用到的是龟兔赛跑算法,具体解法看这里:Floyd Cycle Detection Algorithm
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 class Solution { public int findDuplicate (int [] nums) { int tortoise = nums[0 ]; int hare = nums[0 ]; do { tortoise = nums[tortoise]; hare = nums[nums[hare]]; } while (tortoise != hare); int finder = nums[0 ]; while (finder != tortoise) { finder = nums[finder]; tortoise = nums[tortoise]; } return finder; } }
字符串 String 基础 3 Longest Substring Without Repeating Characters Longest Substring Without Repeating Characters
给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。
示例 1:
1 2 3 输入: s = "abcabcbb" 输出: 3 解释: 因为无重复字符的最长子串是 "abc",所以其长度为 3。
示例 2:
1 2 3 输入: s = "bbbbb" 输出: 1 解释: 因为无重复字符的最长子串是 "b",所以其长度为 1。
示例 3:
1 2 3 4 输入: s = "pwwkew" 输出: 3 解释: 因为无重复字符的最长子串是 "wke",所以其长度为 3。 请注意,你的答案必须是 子串 的长度,"pwke" 是一个子序列,不是子串。
示例 4:
2021.03.23
这题解法有很多,这边主要用窗口法。
以left和right界定窗口的边界,当left和right都没有走到最后一位的时候,不停扩张right的边界,如果发现right即将进入的那个字母是窗口中已存在的,则需要缩短左边界left直到其为已存在的字母的下一位。这时候可以以不停地缩短左边界达成这一结果。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 class Solution { public int lengthOfLongestSubstring (String s) { if (s.length()==0 ) return 0 ; int left = 0 , right = 0 , windowsMaxLength = right - left; HashSet<Character> window = new HashSet <>(); while (left < s.length() && right < s.length()){ if (!window.contains(s.charAt(right))){ window.add(s.charAt(right)); right++; windowsMaxLength = Math.max(windowsMaxLength, right - left); }else { window.remove(s.charAt(left)); left++; } } return windowsMaxLength; } }
解二 动态规划 剑指offer中给出了公式,首先第一位肯定可以包含其中。给一个数组f保存每一位为结尾的最长子串长度,因此f[0] = 1。之后每一位遍历以获得数组f的内容。1.如果当前位i在之前重复过,那就算出相同的上一位的位置,算出它们的距离distance。这时候出现两种可能,一种是距离小于等于前一位s[i - 1]为结尾的最长子串长度f[i - 1],即重复的上一位存在于当前位为结尾的最长子串中,那么f[i] = distance;另一种是距离大于前一位s[i - 1]为结尾的最长子串长度,例如“affbcda”,进行到最后一位a的时候,前一位的最小子串是fbcd,f[5] = 4,但是dis = 6 > 4,说明两个a之间存在重复元素导致第五位的d结尾的最长子串没有纳入重复元素,因此这种情况下f[i] = f[i] + 1。2.如果当前位i在之前没有重复过,子串长度简单+1即可,即f[i] = f[i] + 1。1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 class Solution { public int lengthOfLongestSubstring (String s) { if (s.length() == 0 ) return 0 ; int [] f = new int [s.length()]; f[0 ] = 1 ; HashMap<Character, Integer> letterAndLastPosition = new HashMap <>(); letterAndLastPosition.put(s.charAt(0 ),0 ); int max = 1 ; for (int i = 1 ; i < s.length(); i++){ if (!letterAndLastPosition.containsKey(s.charAt(i))){ f[i] = f[i - 1 ] + 1 ; }else { if (i - letterAndLastPosition.get(s.charAt(i)) <= f[i - 1 ]) f[i] = i - letterAndLastPosition.get(s.charAt(i)); else f[i] = f[i - 1 ] + 1 ; } letterAndLastPosition.put(s.charAt(i),i); max = Math.max(f[i], max); } return max; } }
151 Reverse Words in a String Reverse Words in a String
给定一个字符串,逐个翻转字符串中的每个单词。
说明:
无空格字符构成一个单词。
输入字符串可以在前面或者后面包含多余的空格,但是反转后的字符不能包括。
如果两个单词间有多余的空格,将反转后单词间的空格减少到只含一个。
先剪枝,再用正则替换掉多余的空格,最后split切割。时空复杂度都有点高,去看了一下高票的解答代码Clean Java two-pointers solution (no trim( ), no split( ), no StringBuilder)
,用while降低复杂度,先反转整个字符串,再分别反转单词,最后清除开头和中间多余的空格,感觉思路还挺独特的。
2019.06.11
1 2 3 4 5 6 7 8 9 10 11 12 class Solution { public String reverseWords (String s) { String sTrim = s.trim(); String result = "" ; sTrim = sTrim.replaceAll(" +" ," " ); String[] words = sTrim.split(" " ); for (int i = words.length - 1 ; i > 0 ; i--){ result += words[i] + " " ; } result += words[0 ]; return result; } }
49 Group Anagrams Group Anagrams
给定一个字符串数组,将字母异位词组合在一起。字母异位词指字母相同,但排列不同的字符串。
思路和242差不多,但这里把排序好后的字符组设为HashMap的键,值为List。如果HashMap中没有见过这个字符串排列好后的字符组,就新建一个ArrayList,然后新增入当前字符串。
最后将HashMap的值返回即可。
还有一种办法,直接以26个字母出现次数数组 组成一个string作为键。具体可以看官方题解:49. Group Anagrams
2019.06.13
1 2 3 4 5 6 7 8 9 10 11 12 13 14 class Solution { public List<List<String>> groupAnagrams (String[] strs) { if (strs.length == 0 ) return new ArrayList <>(); HashMap<String, List<String>> sortBychars = new HashMap <>(); for (String str : strs){ char [] strArray = str.toCharArray(); Arrays.sort(strArray); if (!sortBychars.containsKey(String.valueOf(strArray))) sortBychars.put(String.valueOf(strArray), new ArrayList <>()); sortBychars.get(String.valueOf(strArray)).add(str); } return new ArrayList <>(sortBychars.values()); } }
179 Largest Number Largest Number
给定一组非负整数,重新排列它们的顺序使之组成一个最大的整数。
Input: [3,30,34,5,9] Output: “9534330”
首先要把输入的整数{3,30,34,5,9}换成字符串,然后首位数字大的排在前面。例如5应该排在34的前面。但这要怎么排呢?这里有一个很巧妙的办法,当5和34进行比较的时候,实质上比较的是534和345,双方各把对方加入末尾,保证位数相同,只比较了高位。
这个方法可以通过重写comparator interface 里面的compare方法实现,然后使用method Arrays.sort(array[], new Comparator());
sort完了就是降序排列。
2019.06.14
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 class Solution { public String largestNumber (int [] nums) { String[] asStrs = new String [nums.length]; for (int i = 0 ; i < nums.length; i++) asStrs[i] = String.valueOf(nums[i]); Arrays.sort(asStrs, new LargerNumberComparator ()); if (asStrs[0 ].equals("0" )) { return "0" ; } String largestNumberStr = new String (); for (String numAsStr : asStrs) { largestNumberStr += numAsStr; } return largestNumberStr; } private class LargerNumberComparator implements Comparator <String>{ @Override public int compare (String a, String b) { String order1 = a + b; String order2 = b + a; return order2.compareTo(order1); } } }
6 ZigZag Conversion ZigZag Conversion
将一个给定字符串根据给定的行数,以从上往下、从左到右进行 Z 字形排列。
比如输入字符串为 “LEETCODEISHIRING”行数为 3 时,输出需要从左往右逐行读取,产生出一个新的字符串,比如:”LCIRETOESIIGEDHN”。
思路大概就是根据给定的行数,为每一行内容设立一个字符串组,比如说题目中行数为3,就设立3个字符串组。第一步先将字符串组初始化。然后读取原给定字符串的每一个字符,分别读入到3个字符串组中,最开始逐行下移,则行数++,读完一整列后逐行上升,则行数–,最后把这三行内容直接拼接整合起来就可以了。
还有一种思路是根据数学规律:
Characters in row 0 are located at indexes k(2⋅numRows−2)
Characters in row numRows−1 are located at indexes k(2⋅numRows−2)+numRows−1
Characters in inner row i are located at indexes k(2⋅numRows−2)+i and (k +1)(2⋅numRows−2)−i.
2019.06.15
解一1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 class Solution { public String convert (String s, int numRows) { if (numRows == 1 ) return s; List<StringBuilder> rows = new ArrayList <>(); for (int i = 0 ; i < Math.min(numRows, s.length()); i++) rows.add(new StringBuilder ()); int curRow = 0 ; boolean goingDown = false ; for (char c : s.toCharArray()){ rows.get(curRow).append(c); if (curRow == 0 || curRow == numRows - 1 ) goingDown = !goingDown; curRow += goingDown ? 1 : -1 ; } StringBuilder ret = new StringBuilder (); for (StringBuilder row : rows)ret.append(row); return ret.toString(); } }
这是官方题解里给出来的代码,思路不变,修改了一下,使可读性更高1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 class Solution { public String convert (String s, int numRows) { if (numRows == 1 || numRows >= s.length()) return s; String[] rows = new String [numRows]; for (int i = 0 ; i < numRows; i++){ rows[i] = "" ; } int curRow = 0 , direction = 1 ; for (char c : s.toCharArray()){ rows[curRow] += c; if (curRow == 0 )direction = 1 ; else if (curRow == numRows - 1 ) direction = -1 ; curRow += direction; } String result = "" ; for (String row : rows) result += row; return result; } }
12 Integer to Roman Integer to Roman
罗马数字包含以下七种字符: I, V, X, L,C,D 和 M。
1 2 3 4 5 6 7 8 字符 数值 I 1 V 5 X 10 L 50 C 100 D 500 M 1000
例如, 罗马数字 2 写做 II ,即为两个并列的 1。12 写做 XII ,即为 X + II 。 27 写做 XXVII, 即为 XX + V + II 。
通常情况下,罗马数字中小的数字在大的数字的右边。但也存在特例,例如 4 不写做 IIII,而是 IV。数字 1 在数字 5 的左边,所表示的数等于大数 5 减小数 1 得到的数值 4 。同样地,数字 9 表示为 IX。这个特殊的规则只适用于以下六种情况:
I 可以放在 V (5) 和 X (10) 的左边,来表示 4 和 9。 X 可以放在 L (50) 和 C (100) 的左边,来表示 40 和 90。 C 可以放在 D (500) 和 M (1000) 的左边,来表示 400 和 900。 给定一个整数,将其转为罗马数字。输入确保在 1 到 3999 的范围内。
2019.06.19
仍然是用的HashMap,从最后一位开始向前遍历,每位看一下是不是在特殊情况中存在,不存在的话就再分情况获得当前位数上的结果。
通过insert把每位的结果添加到最终结果中。
这个办法的代码实在是太难看了…
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 class Solution { public String intToRoman (int num) { StringBuilder result = new StringBuilder (); HashMap<Integer, String> map = new HashMap <>(); map.put(1 , "I" ); map.put(4 , "IV" ); map.put(5 , "V" ); map.put(9 , "IX" ); map.put(10 , "X" ); map.put(40 , "XL" ); map.put(50 , "L" ); map.put(90 , "XC" ); map.put(100 , "C" ); map.put(400 , "CD" ); map.put(500 , "D" ); map.put(900 , "CM" ); map.put(1000 , "M" ); int digits = 0 ; while (num > 0 ){ int current = num % 10 ; if (map.containsKey((int )(Math.pow(10 , digits) * current))){ result.insert(0 , map.get((int )(Math.pow(10 , digits) * current))); System.out.println(result); }else { if (current > 5 ){ String temp = map.get((int )(Math.pow(10 , digits) * 5 )); for (int i = 0 ; i < current - 5 ; i++){ temp += map.get((int )(Math.pow(10 , digits) * 1 )); } result.insert(0 , temp); }else { String temp = "" ; for (int i = 0 ; i < current; i++){ temp += map.get((int )(Math.pow(10 , digits) * 1 )); } result.insert(0 , temp); } } digits++; num /= 10 ; } return result.toString(); } }
设立两个对应的数组,遍历特殊情况values数组,给定的不断减去当前遍历到的数字,同时输出对应的字母。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 class Solution { public String intToRoman (int num) { int [] values = {1000 ,900 ,500 ,400 ,100 ,90 ,50 ,40 ,10 ,9 ,5 ,4 ,1 }; String[] strs = {"M" ,"CM" ,"D" ,"CD" ,"C" ,"XC" ,"L" ,"XL" ,"X" ,"IX" ,"V" ,"IV" ,"I" }; StringBuilder sb = new StringBuilder (); for (int i=0 ;i<values.length;i++) { while (num >= values[i]) { num -= values[i]; sb.append(strs[i]); } } return sb.toString(); } }
数学 Math 基础 165 Compare Version Numbers Compare Version Numbers
两个字符串,比较版本号,前者比后者新返回1,否则返回-1。当相等时返回0。注意1.0和1比较,1.001和1.01比较的情况。
思路很简单,字符串以正则拆分,对每一位数字进行二者比较,位数不足的以0补足。比较到不同的时候返回结果,相同的话跳出循环返回0。
2019.05.28
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 class Solution { public int compareVersion (String version1, String version2) { String[] version1Number = version1.split("\\." ); String[] version2Number = version2.split("\\." ); int longestLength = Math.max(version1Number.length,version2Number.length); for (int i = 0 ; i < longestLength; i++){ Integer tempV1, tempV2; if (i < version1Number.length) tempV1 = Integer.parseInt(version1Number[i]); else tempV1 = 0 ; if (i < version2Number.length) tempV2 = Integer.parseInt(version2Number[i]); else tempV2 = 0 ; int singleNumberCompare = tempV1.compareTo(tempV2); if (singleNumberCompare != 0 ) return singleNumberCompare; } return 0 ; } }
8 String to Integer (atoi) String to Integer (atoi)
实现一个 atoi 函数,使其能将字符串转换成整数。
首先,该函数会根据需要丢弃无用的开头空格字符,直到寻找到第一个非空格的字符为止。
当我们寻找到的第一个非空字符为正或者负号时,则将该符号与之后面尽可能多的连续数字组合起来,作为该整数的正负号;假如第一个非空字符是数字,则直接将其与之后连续的数字字符组合起来,形成整数。
该字符串除了有效的整数部分之后也可能会存在多余的字符,这些字符可以被忽略,它们对于函数不应该造成影响。
注意:假如该字符串中的第一个非空格字符不是一个有效整数字符、字符串为空或字符串仅包含空白字符时,则你的函数不需要进行转换。
在任何情况下,若函数不能进行有效的转换时,请返回 0。
假设我们的环境只能存储 32 位大小的有符号整数,那么其数值范围为 [−231 , 231 − 1]。如果数值超过这个范围,qing返回 INT_MAX (231 − 1) 或 INT_MIN (−231 ) 。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 输入: "4193 with words" 输出: 4193 解释: 转换截止于数字 '3' ,因为它的下一个字符不为数字。 输入: "words and 987" 输出: 0 解释: 第一个非空字符是 'w', 但它不是数字或正、负号。 因此无法执行有效的转换。 输入: "-91283472332" 输出: -2147483648 解释: 数字 "-91283472332" 超过 32 位有符号整数范围。 因此返回 INT_MIN
过滤出字符串中的数字部分,数字包括正负数。注意数字之前只能为空格,否则返回0。超过能表示的最小值或者最大值时返回最小值或最大值。注意要先trim去除前后空格,否则会出现输入" "
出错的情况。
再用while循环清除掉空格,默认正数,用symbol表示正负号。遍历每个数字,通过*10+下一位进行字符串转换成int型。注意如果当前数比最大值2147483648 / 10 = 214748364 更大或者相等时要进行判断,说明将会溢出,这个时候根据参考正负数的类型返回最大值或最小值。
如果没有溢出,最后只要返回转换后的int型就行。
2019.06.20
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 class Solution { public int myAtoi (String str) { str = str.trim(); if (str.isEmpty()) return 0 ; int symbol = 1 , i = 0 ; while (str.charAt(i) == ' ' )i++; if (str.charAt(i) == '-' ){ symbol = -1 ; i++; }else if (str.charAt(i) == '+' ){ symbol = 1 ; i++; } int temp = 0 ; while (i < str.length() && str.charAt(i) >= '0' && str.charAt(i) <= '9' ){ if (temp > Integer.MAX_VALUE / 10 || (temp == Integer.MAX_VALUE / 10 && str.charAt(i) - '0' > 7 )){ if (symbol == 1 )return Integer.MAX_VALUE; else return Integer.MIN_VALUE; } temp = 10 * temp + (str.charAt(i++) - '0' ); } return symbol * temp; } }
43 Multiply Strings Multiply Strings
给定两个以字符串形式表示的非负整数 num1 和 num2,返回 num1 和 num2 的乘积,它们的乘积也表示为字符串形式。
根据实际中的多位数乘法步骤来,从最后一位起,例如123*456,3和6先进行相乘,得到18,但是这个数存在哪儿呢?根据经验我们可以看到,结果得到的数字长度最多比两数长度和再多1,因此设立末位相乘得到的结果存入索引为2+2+1=5的数组中,18存8,进位1,计入索引为4的数组元素中。事实上这一过程就是把过程中得到的数字分别存入数组中,并对元素不断更新相乘。最终得到最后结果。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public String multiply (String num1, String num2) { int m = num1.length(), n = num2.length(); int [] process = new int [m + n]; for (int i = m - 1 ; i >= 0 ; i--) { for (int j = n - 1 ; j >= 0 ; j--) { int mul = (num1.charAt(i) - '0' ) * (num2.charAt(j) - '0' ); int pre = i + j, cur = i + j + 1 ; int sum = mul + process[cur]; process[pre] += sum / 10 ; process[cur] = (sum) % 10 ; } } StringBuilder sb = new StringBuilder (); for (int p : process) if (!(sb.length() == 0 && p == 0 )) sb.append(p); return sb.length() == 0 ? "0" : sb.toString(); } }
29 Divide Two Integers Divide Two Integers 给定两个整数,被除数 dividend 和除数 divisor。将两数相除,要求不使用乘法、除法和 mod 运算符。
返回被除数 dividend 除以除数 divisor 得到的商。
本质思路是移位,更通俗一点,设立两个数组。
拿100 -3举例,先把二者全化成正数100和3,两个数组分别是 3, 6,12,24,48,96,192 1, 2, 4, 8,16,32,64 索引也分别对应。先减去96,96对应32,即3 * 32 = 96,结果中已得到32,但是100-96还有4,4再在第一个数组中找,找到3,对应1,则结果为32+1=33。
但这个方法有一点不足的地方是用了long。不用long的可以看这一篇,通过用递归消除用long:把正数通通转为求负数 也可以更好地理解第一个数组的数字设置。
2019.06.23
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 class Solution { public int divide (int dividend, int divisor) { if (dividend == 0 )return 0 ; if (dividend == Integer.MIN_VALUE && divisor == -1 )return Integer.MAX_VALUE; boolean negative = (dividend ^ divisor) < 0 ; long dividendLong = Math.abs((long )dividend); long divisorLong = Math.abs((long )divisor); int result = 0 ; for (int i = 31 ; i >= 0 ; i--){ if ((dividendLong >> i) >= divisorLong){ result += 1 << i; dividendLong -= divisorLong << i; } } return negative ? -result : result; } }
50 Pow(x, n) Pow(x, n)
实现 pow(x, n) ,即计算 x 的 n 次幂函数。
递归!看到这种可分解的小问题,就应该要想到递归!主要是用了一点指数的基础公式,把xn 换成(x2 )n/2 ,同时再考虑到奇偶指数的问题就行了。注意如果指数是负数,把指数调正,x可以变成1/x。
2019.06.23
1 2 3 4 5 6 7 8 9 10 11 12 13 14 class Solution { public double myPow (double x, int n) { if (n == 0 ) return 1 ; if (n == Integer.MIN_VALUE){ x = x * x; n = n / 2 ; } if (n < 0 ){ n = -n; x = 1 /x; } return (n % 2 == 0 ) ? myPow(x * x, n / 2 ) : x * myPow(x * x, n / 2 ); } }
365 Water and Jug Problem Water and Jug Problem
有两个容量分别为 x升 和 y升 的水壶以及无限多的水。请判断能否通过使用这两个水壶,从而可以得到恰好 z升 的水?
如果可以,最后请用以上水壶中的一或两个来盛放取得的 z升 水。
你允许:
装满任意一个水壶
清空任意一个水壶
从一个水壶向另外一个水壶倒水,直到装满或者倒空
纯粹的数学题。有兴趣可以看这个维基百科:Bézout’s identity
两个桶容量分别为xy,要得到z,从描述中可以获得这样一个公式:ax+by=z。同时桶可以倒空装满,说明a和b可以是正数也可以是负数。那么接下去要做的就是找到两数的最大公约数,然后看z是不是这个最大公约数的倍数就行了。
具体证明看维基。
2019.06.24
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 class Solution { public boolean canMeasureWater (int x, int y, int z) { if (x + y < z)return false ; if (x == z || y == z || x + y == z) return true ; return z % greatestCommonDivisor(x, y) == 0 ; } public int greatestCommonDivisor (int a, int b) { while (b != 0 ){ int temp = b; b = a % b; a = temp; } return a; } }
树 Tree 基础 144 Binary Tree Preorder Traversal Binary Tree Preorder Traversal
给定一个二叉树,返回它的 前序 遍历。
1 2 3 4 5 6 7 8 输入: [1,null,2,3] 1 \ 2 / 3 输出: [1,2,3]
2019.06.24
本科算法课基础内容。先序遍历,先根后左子树右子树,用递归的话思路很清晰。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public List<Integer> preorderTraversal (TreeNode root) { List<Integer> pre = new LinkedList <Integer>(); if (root != null ){ pre.add(root.val); pre.addAll(preorderTraversal(root.left)); pre.addAll(preorderTraversal(root.right)); } return pre; } }
非递归的话就用栈把暂时不用的右子树先存入。优先读取左子树,同时把它对应的每一个右子树存入先进后出的栈中,这样的话,当左子树为空的时候,栈顶就是离它最近的右子树,依次取出即可。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 class Solution { public List<Integer> preorderTraversal (TreeNode root) { List<Integer> list = new LinkedList <Integer>(); Stack<TreeNode> rights = new Stack <TreeNode>(); while (root != null ){ list.add(root.val); if (root.right != null )rights.push(root.right); root = root.left; if (root == null && !rights.isEmpty())root = rights.pop(); } return list; } }
94 Binary Tree Inorder Traversal Binary Tree Inorder Traversal
给定一个二叉树,返回它的中序 遍历。
2019.06.24
思路清晰
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public List<Integer> inorderTraversal (TreeNode root) { List<Integer> inOrder = new LinkedList <Integer>(); if (root != null ){ inOrder.addAll(inorderTraversal(root.left)); inOrder.add(root.val); inOrder.addAll(inorderTraversal(root.right)); } return inOrder; } }
其实和#144的思路差不多,用栈存储左子树,然后一步步往左子树方向走。当走到叶子结点的时候,从栈顶取出左子树的左叶子结点。
判断左节点是否存在且未遍历过,是则进入输出当前节点,出栈。 接着判断右节点是否存在且未遍历过,是则进入。如果栈无元素则退出。
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 class Solution { public List<Integer> inorderTraversal (TreeNode root) { List<Integer> inOrder = new LinkedList <Integer>(); Stack<TreeNode> stack = new Stack <TreeNode>(); TreeNode current = root; while (current != null || !stack.isEmpty()){ while (current != null ){ stack.push(current); current = current.left; } current = stack.pop(); inOrder.add(current.val); current = current.right; } return inOrder; } }
104 Binary Tree Level Order Traversal Binary Tree Level Order Traversal
给定一个二叉树,返回其按层次遍历的节点值。 (即逐层地,从左到右访问所有节点)。
例如: 给定二叉树: [3,9,20,null,null,15,7],
返回其层次遍历结果:
1 2 3 4 5 [ [3], [9,20], [15,7] ]
2019.06.25
通过递归实现深度优先搜索,一层一层加入结点。
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 class Solution { public List<List<Integer>> levelOrder (TreeNode root) { List<List<Integer>> result = new LinkedList <>(); levelHelper(result, root, 0 ); return result; } public void levelHelper (List<List<Integer>> result, TreeNode root, int levelNumber) { if (root == null ) return ; if (levelNumber >= result.size()){ result.add(new LinkedList <Integer>()); } result.get(levelNumber).add(root.val); levelHelper(result, root.left, levelNumber + 1 ); levelHelper(result, root.right, levelNumber + 1 ); } }
广度优先搜索,一次性把接下去要遍历的左右子树放入到一个LinkedList中,等稍后分别遍历其左右树
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 class Solution { public List<List<Integer>> levelOrder (TreeNode root) { List<List<Integer>> result = new LinkedList <>(); if (root == null ) return result; List<TreeNode> currentNode = new LinkedList <>(); currentNode.add(root); while (!currentNode.isEmpty()){ List<TreeNode> nextNode = new LinkedList <>(); List<Integer> level = new LinkedList <>(); for (TreeNode node : currentNode){ level.add(node.val); if (node.left != null ) nextNode.add(node.left); if (node.right != null ) nextNode.add(node.right); } result.add(level); currentNode = nextNode; } return result; } }
回溯 Backtracking 基础 78 Subsets Subsets
给定一组不含重复元素的整数数组 nums,返回该数组所有可能的子集(幂集)。
说明:解集不能包含重复的子集。
2019.06.30
例如输入1,2,3,4先从1这一层开始,通过递归式,tempList依次添加为[1],[1,2],[1,2,3],[1,2,3,4],同时分别把不同时期的tempList加入结果集中。再一步步回去并移除最后一位,同时观测i还能不能再进行循环:[1,2,3]不能,[1,2],i = 2,可以进入当前层的循环,添加为[1,2,4]。并继续返回到上一层。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 class Solution { public List<List<Integer>> subsets (int [] nums) { List<List<Integer>> result = new LinkedList <>(); Arrays.sort(nums); backtracking(result, new LinkedList <>(), nums, 0 ); return result; } public void backtracking (List<List<Integer>> result, List<Integer> tempList, int [] nums, int start) { result.add(new ArrayList <>(tempList)); for (int i = start; i < nums.length; i++){ tempList.add(nums[i]); backtracking(result, tempList, nums, i + 1 ); tempList.remove(tempList.size() - 1 ); } } }
继续拿1234举例,遍历1234,将之前的结果暂存到一个列表中,同时将遍历得到的数字插入到之前结果中。
1 2 3 4 5 null 1 2 1,2 3 1,3 2,3 1,2,3 4 1,4 2,4 1,2,4 3,4 1,3,4 2,3,4 1,2,3,4
注意迭代法还可以有另一个思路,这是按照子集元素种类排的,另一个思路可以是按照子集长度排,找出数组长度 1 的所有解,然后再在长度为 1 的所有解上加 1 个数字变成长度为 2 的所有解,同样的直到 n。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 class Solution { public List<List<Integer>> subsets (int [] nums) { List<List<Integer>> result = new LinkedList <>(); result.add(new LinkedList <>()); for (int i = 0 ; i < nums.length; i++){ List<List<Integer>> resultTemp = new LinkedList <>(); for (List<Integer> lastLayer : result){ List<Integer> lastLayerTemp = new LinkedList <>(lastLayer); lastLayerTemp.add(nums[i]); resultTemp.add(lastLayerTemp); } result.addAll(resultTemp); } return result; } }
解三 位操作思路(StringBuilder实现)
所有子集中,数组的每个元素都有两个状态:在或者不在,可以用01表示。
1 2 3 4 5 6 7 8 9 1 2 3 0 0 0 -> [ ] 0 0 1 -> [ 3] 0 1 0 -> [ 2 ] 0 1 1 -> [ 2 3] 1 0 0 -> [1 ] 1 0 1 -> [1 3] 1 1 0 -> [1 2 ] 1 1 1 -> [1 2 3]
由上图可以很明显地感受到,可以引入二进制进行解题。只需要遍历 0 0 0 到 1 1 1,然后判断每个比特位是否是 1,是 1 的话将对应数字加入即可。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 class Solution { public List<List<Integer>> subsets (int [] nums) { List<List<Integer>> result = new LinkedList <>(); int forTimes = 1 << nums.length; for (int i = 0 ; i < forTimes; i++ ){ StringBuilder mirror = new StringBuilder (Integer.toBinaryString(i)); mirror = mirror.reverse(); List<Integer> temp = new LinkedList <>(); for (int j = 0 ; j < mirror.length(); j++){ if (mirror.charAt(j) == '1' ){ temp.add(nums[j]); } } result.add(temp); } return result; } }
其实直接用位操作也可以,思路是一样的,通过移位符直接从最末位看起,但注意这个时候对于输入数组来说,是往后对应的,所以count要++
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public List<List<Integer>> subsets (int [] nums) { List<List<Integer>> ans = new ArrayList <>(); int ans_nums = 1 << nums.length; for (int i = 0 ; i < ans_nums; i++) { List<Integer> tmp = new ArrayList <>(); int count = 0 ; int i_copy = i; while (i_copy != 0 ) { if ((i_copy & 1 ) == 1 ) { tmp.add(nums[count]); } count++; i_copy = i_copy >> 1 ; } ans.add(tmp); } return ans; } }
79 Word Search Word Search
给定一个二维网格和一个单词,找出该单词是否存在于网格中。
单词必须按照字母顺序,通过相邻的单元格内的字母构成,其中“相邻”单元格是那些水平相邻或垂直相邻的单元格。同一个单元格内的字母不允许被重复使用。
示例:1 2 3 4 5 6 7 8 9 10 11 board = [ ['A','B','C','E'], ['S','F','C','S'], ['A','D','E','E'] ] 给定 word = "ABCCED", 返回 true 给定 word = "SEE", 返回 true 给定 word = "ABCB", 返回 false
用回溯法,用深度优先搜索即可,传入该board,当前的横纵坐标和当前字符串进行到的位数。 同样还因为传入一个访问数组来判定每个位置是否有被访问。
2021.02.22
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 class Solution { public boolean exist (char [][] board, String word) { if (board.length > 0 ) { int rows = board.length, cols = board[0 ].length; boolean [][] visited = new boolean [rows][cols]; for (int i = 0 ; i < rows; i++){ for (int j = 0 ; j < cols; j++){ if (existRecursive(board, i, j, word, 0 , visited)) return true ; } } } return false ; } private boolean existRecursive (char [][] board, int row, int col, String word, int index, boolean [][] visited) { if (row < 0 || row >= board.length || col < 0 || col >= board[0 ].length) return false ; if (visited[row][col] || board[row][col] != word.charAt(index)) return false ; if (index == word.length() - 1 )return true ; visited[row][col] = true ; boolean up = existRecursive(board, row - 1 , col, word, index + 1 , visited); if (up) return true ; boolean down = existRecursive(board, row + 1 , col, word, index + 1 , visited); if (down) return true ; boolean left = existRecursive(board, row, col - 1 , word, index + 1 , visited); if (left) return true ; boolean right = existRecursive(board, row, col + 1 , word, index + 1 , visited); if (right) return true ; visited[row][col] = false ; return false ; } }
90 Subsets II Subsets II
给定一个可能包含重复元素的整数数组 nums,返回该数组所有可能的子集(幂集)。
说明:解集不能包含重复的子集。
2019.06.30
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 class Solution { public List<List<Integer>> subsetsWithDup (int [] nums) { Arrays.sort(nums); List<List<Integer>> result = new LinkedList <>(); int forTimes = 1 << nums.length; for (int i = 0 ; i < forTimes; i++ ){ StringBuilder mirror = new StringBuilder (Integer.toBinaryString(i)).reverse(); List<Integer> temp = new LinkedList <>(); for (int j = 0 ; j < mirror.length(); j++){ if (mirror.charAt(j) == '1' ){ temp.add(nums[j]); } } if (!result.contains(temp)) { result.add(temp); } } return result; } }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 class Solution { public List<List<Integer>> subsetsWithDup (int [] nums) { List<List<Integer>> list = new ArrayList <>(); Arrays.sort(nums); backtrack(list, new ArrayList <>(), nums, 0 ); return list; } private void backtrack (List<List<Integer>> list, List<Integer> tempList, int [] nums, int start) { list.add(new ArrayList <>(tempList)); for (int i = start; i < nums.length; i++){ if (i > start && nums[i] == nums[i-1 ]) continue ; tempList.add(nums[i]); backtrack(list, tempList, nums, i + 1 ); tempList.remove(tempList.size() - 1 ); } } }
🌟77 Combinations Combinations
给定两个整数 n 和 k,返回 1 … n 中所有可能的 k 个数的组合。
2019.07.01
经典回溯,注意总结回溯法的基本框架。这道题非常值得再扩展,有回溯就有迭代,还可以递归,有递归还可以用动态规划,记得补充总结。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 class Solution { public List<List<Integer>> combine (int n, int k) { List<List<Integer>> result = new LinkedList <>(); backTracking(n, k, 1 , result, new LinkedList <>()); return result; } public void backTracking (int n, int k, int starter, List<List<Integer>> result, List<Integer> temp) { if (k == 0 ){ result.add(new LinkedList <>(temp)); return ; } for (int i = starter; i <= n; i++){ temp.add(i); backTracking(n, k - 1 , i + 1 , result, temp); temp.remove(temp.size() - 1 ); } } }
39 Combination Sum Combination Sum
给定一个无重复元素的数组 candidates 和一个目标数 target ,找出 candidates 中所有可以使数字和为 target 的组合。
candidates 中的数字可以无限制重复被选取。
说明:所有数字(包括 target)都是正整数;解集不能包含重复的组合。
2019.07.01
解一 回溯1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 class Solution { public List<List<Integer>> combinationSum (int [] candidates, int target) { Arrays.sort(candidates); List<List<Integer>> result = new ArrayList <>(); backTracking(candidates, target, 0 , result, new ArrayList <>()); return result; } public void backTracking (int [] candidates, int target, int starter, List<List<Integer>> result, List<Integer> temp) { if (target == 0 ){ result.add(new ArrayList <>(temp)); return ; } if (target > 0 ){ for (int i = starter; i < candidates.length; i++){ temp.add(candidates[i]); backTracking(candidates, target - candidates[i], i, result, temp); temp.remove(temp.size() - 1 ); } } } }
40 Combination Sum II Combination Sum II
给定一个数组 candidates 和一个目标数 target ,找出 candidates 中所有可以使数字和为 target 的组合。
candidates 中的每个数字在每个组合中只能使用一次。
说明:所有数字(包括目标数)都是正整数;解集不能包含重复的组合。
2019.07.01
解一 回溯1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 class Solution { public List<List<Integer>> combinationSum2 (int [] candidates, int target) { Arrays.sort(candidates); List<List<Integer>> result = new ArrayList <>(); backTracking(candidates, target, 0 , result, new ArrayList <>()); return result; } public void backTracking (int [] candidates, int target, int starter, List<List<Integer>> result, List<Integer> temp) { if (target == 0 ){ result.add(new ArrayList <>(temp)); return ; } if (target > 0 ){ for (int i = starter; i < candidates.length; i++){ if (i > starter && candidates[i] == candidates[i - 1 ])continue ; temp.add(candidates[i]); backTracking(candidates, target - candidates[i], i + 1 , result, temp); temp.remove(temp.size() - 1 ); } } } }
216 Combination Sum III Combination Sum III
找出所有相加之和为 n 的 k 个数的组合。组合中只允许含有 1 - 9 的正整数,并且每种组合中不存在重复的数字。
说明:所有数字都是正整数;解集不能包含重复的组合。
2019.07.01
拿回溯的结构去套真的好轻松哦…
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 class Solution { public List<List<Integer>> combinationSum3 (int k, int n) { List<List<Integer>> result = new ArrayList <>(); backTracking(k, n, 1 , result, new ArrayList <>()); return result; } public void backTracking (int k, int n, int starter, List<List<Integer>> result, List<Integer> temp) { if (k == 0 && n == 0 ){ result.add(new ArrayList <>(temp)); return ; } for (int i = starter; i <= 9 ; i++){ temp.add(i); backTracking(k - 1 , n - i, i + 1 , result, temp); temp.remove(temp.size() - 1 ); } } }
🌟377 Combination Sum IV Combination Sum IV
给定一个由正整数组成且不存在重复数字的数组,找出和为给定目标正整数的组合的个数。
2019.07.01 由回溯法发现会超时,想到有没有办法用数组存下中间过程呢。通过动态规划存储过程中结果。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 class Solution { private int [] dp; public int combinationSum4 (int [] nums, int target) { dp = new int [target + 1 ]; Arrays.fill(dp, -1 ); dp[0 ] = 1 ; return helper(nums, target); } private int helper (int [] nums, int target) { if (dp[target] != -1 ){ return dp[target]; } int result = 0 ; for (int i = 0 ; i < nums.length; i++){ if (target >= nums[i]){ result += helper(nums, target - nums[i]); } } dp[target] = result; return result; } }
46 Permutations Permutations
给定一个没有重复数字的序列,返回其所有可能的全排列。
2019.07.02
解一 回溯1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 class Solution { public List<List<Integer>> permute (int [] nums) { List<List<Integer>> result = new ArrayList <>(); backTracking(nums, new ArrayList <>(), result); return result; } public void backTracking (int nums[], List<Integer> temp, List<List<Integer>> result) { if (temp.size() == nums.length) result.add(new ArrayList <>(temp)); for (int i = 0 ; i < nums.length; i++){ if (temp.contains(nums[i])) continue ; temp.add(nums[i]); backTracking(nums, temp, result); temp.remove(temp.size() - 1 ); } } }
47 Permutations II Permutations II 给定一个可包含重复数字的序列,返回所有不重复的全排列。
2019.07.02
比起上一题不重复的,主要加入了一个boolean数组判断该数是否已经使用过
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 class Solution { public List<List<Integer>> permuteUnique (int [] nums) { List<List<Integer>> result = new ArrayList <>(); Arrays.sort(nums); backTracking(result, new ArrayList <>(), nums, new boolean [nums.length]); return result; } public void backTracking (List<List<Integer>> result, List<Integer> temp, int [] nums, boolean [] used) { if (temp.size() == nums.length) result.add(new ArrayList <>(temp)); for (int i = 0 ; i < nums.length; i++){ if (used[i] || i > 0 && nums[i] == nums[i - 1 ] && !used[i - 1 ]) continue ; temp.add(nums[i]); used[i] = true ; backTracking(result, temp, nums, used); temp.remove(temp.size() - 1 ); used[i] = false ; } } }
31 Next Permutation Next Permutation
实现获取下一个排列的函数,算法需要将给定数字序列重新排列成字典序中下一个更大的排列。
如果不存在下一个更大的排列,则将数字重新排列成最小的排列(即升序排列)。
必须原地修改,只允许使用额外常数空间。
以下是一些例子,输入位于左侧列,其相应输出位于右侧列。
1 2 3 1,2,3 → 1,3,2 3,2,1 → 1,2,3 1,1,5 → 1,5,1
2019.07.02
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 class Solution { public void nextPermutation (int [] nums) { int theFirstDecreasing = nums.length - 2 ; while (theFirstDecreasing >= 0 && nums[theFirstDecreasing + 1 ] <= nums[theFirstDecreasing]){ theFirstDecreasing--; } if (theFirstDecreasing >= 0 ){ int swapIndex = nums.length - 1 ; while (swapIndex >= 0 && nums[swapIndex] <= nums[theFirstDecreasing]) swapIndex--; swap(nums, theFirstDecreasing, swapIndex); } reverse(nums, theFirstDecreasing + 1 ); } private void reverse (int [] nums, int start) { int i = start, j = nums.length - 1 ; while (i < j) { swap(nums, i, j); i++; j--; } } private void swap (int [] nums, int i, int j) { int temp = nums[i]; nums[i] = nums[j]; nums[j] = temp; } }
60 Permutation Sequence Permutation Sequence 给出集合 [1,2,3,…,n],其所有元素共有 n! 种排列。
按大小顺序列出所有排列情况,并一一标记,当 n = 3 时, 所有排列如下:
1 2 3 4 5 6 "123" "132" "213" "231" "312" "321"
给定 n 和 k,返回第 k 个排列。
说明:给定 n 的范围是 [1, 9]; 给定 k 的范围是[1, n!]。
2019.07.05
拿n = 4, k = 14举例,把4的结果分为
1 2 3 4 1(234) 2(134) 3(124) 4(123)
根据4!可知结果一共有24个,按首位不同分为4大类,每类3!为6个。 因为从0开始算起,所以14-1=13. 13/6=2 余1。因为从0算起,所以2直接对应数组2 1234,为3。确定首位后确定第二位:1/2!=1/2=0 余1 所以第二位直接对应数组124第0位,为1。确定第三位:1/1!=1/1=1,余0,所以第三位直接对应数组24第1位,为4。剩下2,答案为3142。
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 class Solution { public String getPermutation (int n, int k) { List<Integer> numbers = new ArrayList <>(); int [] factorial = new int [n+1 ]; StringBuilder result = new StringBuilder (); int sum = 1 ; factorial[0 ] = 1 ; for (int i = 1 ; i <= n; i++){ sum *= i; factorial[i] = sum; } for (int i = 1 ; i <= n; i++){ numbers.add(i); } k--; for (int i = 1 ; i <= n; i++){ int index = k / factorial[n - i]; result.append(String.valueOf(numbers.get(index))); numbers.remove(index); k = k - index * factorial[n - i]; } return String.valueOf(result); } }
动态规划 Dynamic Programming 一维 62 Unique Paths Unique Paths 一个机器人位于一个 m x n 网格的左上角 (起始点在下图中标记为“Start” )。
机器人每次只能向下或者向右移动一步。机器人试图达到网格的右下角(在下图中标记为“Finish”)。
问总共有多少条不同的路径?
说明:m 和 n 的值均不超过 100。
2019.08.08
这题其实不难理解,机器人只有向下或者向右移动的可能,所以到达每一格的可能路数这一结果,只有可能由它的上一格和左边格相加得到。
接下去就很简单了,既然是地图格子,就列一个二维数组。将二维数组的边界格子都列为1,因为只有一种可能到达其本身,右边界为一直向右走,只有这一条路,同理下边界。
以m7n3为例,得到初始二维格:
1 2 3 4 5 6 7 1 1 1 1 0 0 1 0 0 1 0 0 1 0 0 1 0 0 1 0 0
每一格的结果数只有可能由它的上一格和左边格相加得到,即得到最终地图格:
1 2 3 4 5 6 7 1 1 1 1 2 3 1 3 6 1 4 10 1 5 15 1 6 21 1 7 28
因此可以轻松得到一个m7n3范围的地图中,要达到右下角的地点可以有28种走法。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 class Solution { public int uniquePaths (int m, int n) { int [][] map = new int [m][n]; for (int i = 0 ; i < m; i++){ map[i][0 ] = 1 ; } for (int i = 0 ; i < n; i++){ map[0 ][i] = 1 ; } for (int i = 1 ; i < m; i++){ for (int j = 1 ; j < n; j++){ map[i][j] = map[i - 1 ][j] + map[i][j - 1 ]; } } return map[m - 1 ][n - 1 ]; } }
由解法一还可以再进行化简,我们其实只需要最后一个,所以每次只更新保留最后一行。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 class Solution { public int uniquePaths (int m, int n) { int [] dp = new int [n]; for (int i = 0 ; i < n; i++) { dp[i] = 1 ; } for (int i = 1 ; i < m; i++) { for (int j = 1 ; j < n; j++) { dp[j] += dp[j - 1 ]; } } return dp[n - 1 ]; } }
63 Unique Paths II Unique Paths II
一个机器人位于一个 m x n 网格的左上角 (起始点在下图中标记为“Start” )。
机器人每次只能向下或者向右移动一步。机器人试图达到网格的右下角(在下图中标记为“Finish”)。
现在考虑网格中有障碍物。那么从左上角到右下角将会有多少条不同的路径?
网格中的障碍物和空位置分别用 1 和 0 来表示。
说明:m 和 n 的值均不超过 100。
示例 1:
1 2 3 4 5 6 7 8 9 10 11 12 输入: [ [0,0,0], [0,1,0], [0,0,0] ] 输出: 2 解释: 3x3 网格的正中间有一个障碍物。 从左上角到右下角一共有 2 条不同的路径: 1. 向右 -> 向右 -> 向下 -> 向下 2. 向下 -> 向下 -> 向右 -> 向右
2019.08.24
举例:
直接在原图上面改,先把第一行和第一列分别计算出能走的条数,如例中,第一行和第一列都无阻碍,则可以全部记为1,即到每一格只有一条路走。
最后可以一行行由上方元素和左方元素相加获得,为1的是障碍物,没有路可以到达,因此改为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 30 31 32 33 34 class Solution { public int uniquePathsWithObstacles (int [][] obstacleGrid) { int R = obstacleGrid.length; int C = obstacleGrid[0 ].length; if (obstacleGrid[0 ][0 ] == 1 ) { return 0 ; } obstacleGrid[0 ][0 ] = 1 ; for (int i = 1 ; i < R; i++) { if (obstacleGrid[i][0 ] == 0 && obstacleGrid[i - 1 ][0 ] == 1 ) obstacleGrid[i][0 ] = 1 ; else obstacleGrid[i][0 ] = 0 ; } for (int i = 1 ; i < C; i++) { if (obstacleGrid[0 ][i] == 0 && obstacleGrid[0 ][i - 1 ] == 1 ) obstacleGrid[0 ][i] = 1 ; else obstacleGrid[0 ][i] = 0 ; } for (int i = 1 ; i < R; i++) { for (int j = 1 ; j < C; j++) { if (obstacleGrid[i][j] == 0 ) { obstacleGrid[i][j] = obstacleGrid[i - 1 ][j] + obstacleGrid[i][j - 1 ]; } else { obstacleGrid[i][j] = 0 ; } } } return obstacleGrid[R - 1 ][C - 1 ]; } }
64 Minimum Path Sum Minimum Path Sum
给定一个包含非负整数的 m x n 网格 grid ,请找出一条从左上角到右下角的路径,使得路径上的数字总和为最小。
示例 1:
1 2 3 输入:grid = [[1,3,1],[1,5,1],[4,2,1]] 输出:7 解释:因为路径 1→3→1→1→1 的总和最小。
示例 2:
1 2 输入:grid = [[1,2,3],[4,5,6]] 输出:12
2021.02.19
经过前面几题,应该会写这道DP了,先定边界值,然后每一格的算数和等于该格上的数字+上格或者左格里的数字
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 class Solution { public int minPathSum (int [][] grid) { int m = grid.length, n = grid[0 ].length; System.out.println(m+" " +n); for (int i = 1 ; i < n; i++){ grid[0 ][i] += grid[0 ][i - 1 ]; } for (int i = 1 ; i < m; i++){ grid[i][0 ] += grid[i - 1 ][0 ]; } for (int i = 1 ; i < m; i++){ for (int j = 1 ; j < n; j++){ grid[i][j] += Math.min(grid[i - 1 ][j], grid[i][j - 1 ]); } } return grid[m-1 ][n-1 ]; } }
再简化一下就是这样:
1 2 3 4 5 6 7 8 9 10 11 12 13 class Solution { public int minPathSum (int [][] grid) { int m = grid.length, n = grid[0 ].length; for (int i = 0 ; i < m; i++){ for (int j = 0 ; j < n; j++){ if (i == 0 && j != 0 ) grid[i][j] += grid[i][j-1 ]; if (i != 0 && j == 0 ) grid[i][j] += grid[i-1 ][j]; if (i != 0 && j != 0 ) grid[i][j] += Math.min(grid[i-1 ][j], grid[i][j-1 ]); } } return grid[m-1 ][n-1 ]; } }
91 Decode Ways Decode Ways
一条包含字母 A-Z 的消息通过以下映射进行了 编码 :
1 2 3 4 'A' -> 1 'B' -> 2 ... 'Z' -> 26
要解码已编码的消息,所有数字必须基于上述映射的方法,反向映射回字母(可能有多种方法)。例如,”111” 可以将 “1” 中的每个 “1” 映射为 “A” ,从而得到 “AAA” ,或者可以将 “11” 和 “1”(分别为 “K” 和 “A” )映射为 “KA” 。注意,”06” 不能映射为 “F” ,因为 “6” 和 “06” 不同。
给你一个只含数字的 非空 字符串 num ,请计算并返回 解码 方法的 总数 。
题目数据保证答案肯定是一个 32 位 的整数。
示例 1:
1 2 3 输入:s = "12" 输出:2 解释:它可以解码为 "AB"(1 2)或者 "L"(12)。
示例 2:
1 2 3 输入:s = "226" 输出:3 解释:它可以解码为 "BZ" (2 26), "VF" (22 6), 或者 "BBF" (2 2 6) 。
示例 3:
1 2 3 输入:s = "0" 输出:0 解释:没有字符映射到以 0 开头的数字。含有 0 的有效映射是 'J' -> "10" 和 'T'-> "20" 。由于没有字符,因此没有有效的方法对此进行解码,因为所有数字都需要映射。
示例 4:
1 2 3 输入:s = "06" 输出:0 解释:"06" 不能映射到 "F" ,因为字符串开头的 0 无法指向一个有效的字符。
2021.04.12
无语,这是shopee的笔试题。 可以用动态规划解,当想到回溯的那一刻就应该知道可以用动态规划了。建立一个一维数组,dp[i]表示第i位上有多少个解法。 一般来说当前位可能是自己本身,也可能和前一位合起来并成表示一个字母,这时候只要考虑dp[i] = dp[i - 1]+dp[i - 2]就行。另外防止越界,当i为1时就是2,举例“11”。
除此以外还要考虑特殊字符0,它必须成对出现,如果它前面是1或者2的时候(其实不太可能前面不是1/2)要另外考虑,首先它应该是dp[i] = dp[i - 2],然后防止越界,在i = 1的时候设置为dp[i] = dp[i - 1];
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 class Solution { public int numDecodings (String s) { if (s.charAt(0 ) == '0' ) return 0 ; int [] dp = new int [s.length()]; dp[0 ] = 1 ; for (int i = 1 ; i < s.length(); i++){ if (s.charAt(i) == '0' ){ if (s.charAt(i - 1 ) == '1' || s.charAt(i - 1 ) == '2' ) { if (i == 1 ) dp[i] = dp[i - 1 ]; else dp[i] = dp[i - 2 ]; } } else if (s.charAt(i - 1 ) == '1' || (s.charAt(i - 1 ) == '2' && s.charAt(i) - '0' <= 6 )){ if (i == 1 ) dp[1 ] = 2 ; else dp[i] = dp[i - 1 ] + dp[i - 2 ]; } else dp[i] = dp[i - 1 ]; } return dp[s.length() - 1 ]; } }
120 Triangle Triangle
给定一个三角形,找出自顶向下的最小路径和。每一步只能移动到下一行中相邻的结点上。
例如,给定三角形:
1 2 3 4 5 6 [ [2], [3,4], [6,5,7], [4,1,8,3] ]
自顶向下的最小路径和为 11(即,2 + 3 + 5 + 1 = 11)。
说明:
如果你可以只使用 O(n) 的额外空间(n 为三角形的总行数)来解决这个问题,那么你的算法会很加分。
2019.08.27
动态规划思路,自底向上找最短路径。在实际操作中,可以从倒数第二行开始,把这一行上每一个数字都改为当前数字和下一行(倒数第一行)对应的相邻数相加取最小值。以题中数据举例,全部完成后应该是这样的:
由此依次向上一层递推,得到最终结果为
1 2 3 4 11 9 10 7 6 10 4 1 8 3
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 class Solution { public int minimumTotal (List<List<Integer>> triangle) { if (triangle.size() == 0 ) return 0 ; for (int i = triangle.size() - 2 ; i >= 0 ; i--){ for (int j = 0 ; j <= i; j++){ List<Integer> nextRow = triangle.get(i + 1 ); int sum = Math.min(nextRow.get(j), nextRow.get(j + 1 )) + triangle.get(i).get(j); triangle.get(i).set(j, sum); } } return triangle.get(0 ).get(0 ); } }
279 Perfect Squares Perfect Squares
给定正整数 n,找到若干个完全平方数(比如 1, 4, 9, 16, …)使得它们的和等于 n。你需要让组成和的完全平方数的个数最少。
示例 1:
1 2 3 输入: n = 12 输出: 3 解释: 12 = 4 + 4 + 4.
示例 2:
1 2 3 输入: n = 13 输出: 2 解释: 13 = 4 + 9.
2019.12.09
动态规划思路,自底向上推出通用公式如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 dp[0] = 0 dp[1] = dp[0]+1 = 1 dp[2] = dp[1]+1 = 2 dp[3] = dp[2]+1 = 3 dp[4] = Min{ dp[4-1*1]+1, dp[4-2*2]+1 } = Min{ dp[3]+1, dp[0]+1 } = 1 dp[5] = Min{ dp[5-1*1]+1, dp[5-2*2]+1 } = Min{ dp[4]+1, dp[1]+1 } = 2 . . . dp[13] = Min{ dp[13-1*1]+1, dp[13-2*2]+1, dp[13-3*3]+1 } = Min{ dp[12]+1, dp[9]+1, dp[4]+1 } = 2 . . . dp[n] = Min{ dp[n - i*i] + 1 }, n - i*i >=0 && i >= 1
对每一个给定的数,比较所有它减去平方数的数,例如13,比较dp[12]、dp[9]、dp[4],比较它们加上本身被减去的平方数后的最小值即是能组成和的最小平方数。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 class Solution { public int numSquares (int n) { int [] dp = new int [n+1 ]; Arrays.fill(dp, Integer.MAX_VALUE); dp[0 ] = 0 ; for (int i = 1 ; i <= n; i++){ int min = Integer.MAX_VALUE; int j = 1 ; while (i - j * j >= 0 ){ min = Math.min(min, dp[i - j * j] + 1 ); j++; } dp[i] = min; } return dp[n]; } }
139 Word Break Word Break
给定一个非空字符串 s 和一个包含非空单词列表的字典 wordDict,判定 s 是否可以被空格拆分为一个或多个在字典中出现的单词。
说明:
拆分时可以重复使用字典中的单词。 你可以假设字典中没有重复的单词。
示例 1:
1 2 3 输入: s = "leetcode", wordDict = ["leet", "code"] 输出: true 解释: 返回 true 因为 "leetcode" 可以被拆分成 "leet code"。
示例 2:
1 2 3 4 输入: s = "applepenapple", wordDict = ["apple", "pen"] 输出: true 解释: 返回 true 因为 "applepenapple" 可以被拆分成 "apple pen apple"。 注意你可以重复使用字典中的单词。
示例 3:
1 2 输入: s = "catsandog", wordDict = ["cats", "dog", "sand", "and", "cat"] 输出: false
2020.02.27
根据wordDict依序生成不同字符串,同时与目标字符串进行匹配。如果生成的字符串可以和目标字符串匹配上了但是长度不足,则进入该支线。
如示例3中,首先生成cats,cats和目标字符串全部吻合,则开始深度优先搜索,依序测试catscats和catsdog等,在catsand吻合,进入下一级,catsandcats等等。 首先判断长度,长度超出则直接返回false进行同级其他字词匹配;否则逐单词进行比对,如果全部吻合且长度也相等,返回true。
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 class Solution { public boolean wordBreak (String s, List<String> wordDict) { return wordBreakHelper(s, wordDict, "" , new HashMap <String, Boolean>()); } private boolean wordBreakHelper (String s, List<String> wordDict, String temp, HashMap<String, Boolean> hashMap) { if (temp.length() > s.length()) { return false ; } if (hashMap.containsKey(temp)){ return hashMap.get(temp); } for (int i = 0 ; i < temp.length(); i++) { if (s.charAt(i) != temp.charAt(i)) return false ; } if (s.length() == temp.length()) return true ; for (int i = 0 ; i < wordDict.size(); i++) { if (wordBreakHelper(s, wordDict, temp + wordDict.get(i), hashMap)){ hashMap.put(temp, true ); return true ; } } hashMap.put(temp, false ); return false ; } }
375 Guess Number Higher or Lower II Guess Number Higher or Lower II
我们正在玩一个猜数游戏,游戏规则如下:
我从 1 到 n 之间选择一个数字,你来猜我选了哪个数字。
每次你猜错了,我都会告诉你,我选的数字比你的大了或者小了。
然而,当你猜了数字 x 并且猜错了的时候,你需要支付金额为 x 的现金。直到你猜到我选的数字,你才算赢得了这个游戏。
示例:
1 2 3 4 5 6 7 8 9 n = 10, 我选择了8. 第一轮: 你猜我选择的数字是5,我会告诉你,我的数字更大一些,然后你需要支付5块。 第二轮: 你猜是7,我告诉你,我的数字更大一些,你支付7块。 第三轮: 你猜是9,我告诉你,我的数字更小一些,你支付9块。 游戏结束。8 就是我选的数字。 你最终要支付 5 + 7 + 9 = 21 块钱。
给定 n ≥ 1,计算你至少需要拥有多少现金才能确保你能赢得这个游戏。
2020.02.29
给定一个数字n,对方会从1-n选择什么数字作为最终答案是并不清楚的,同时这个也不重要。题意的要求就是,要算每次都猜错的情况下的总体最小开销。
假设i是第一次选错的数字,那么cost(1, n) = i + max( cost(1, i − 1), cost(i + 1, n))。在这一步我们把大问题分解成了小问题。对于左右两段,我们分别考虑在段内选择一个数,并重复上面的过程来求得最小开销。
这一步就是初步暴力的做法,可以得到代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 public class Solution { public int calculate (int low, int high) { if (low >= high) return 0 ; int minres = Integer.MAX_VALUE; for (int i = low; i <= high; i++) { int res = i + Math.max(calculate(i + 1 , high), calculate(low, i - 1 )); minres = Math.min(res, minres); } return minres; } public int getMoneyAmount (int n) { return calculate(1 , n); } }
但这一步超时了。我们想一下是不是可以用数组来存储之前已经算好的结果,这样的话就不需要每次都重复计算。
因为1-n每次都分成不同长度的小段(并不是二分法猜数字耗费最少),所以求1-n之间每次猜错后最终的最小花销,可以细分成求low-high之间每次猜错后最终的最小花销。
例如给出n=5,要求出每次都猜错的最小花费,先猜2被告知比2大,再猜4被告知比4大或者小,这样最少需要6可以猜出对方心中想的数字。
要储存不同范围内每次都猜错的最小花费,可以设置一个二维数组,当n=5时,这个二维数组dp可以设置为
\
1
2
3
4
5
1
0
\
\
\
\
2
-
0
\
\
\
3
-
-
0
\
\
4
-
-
-
0
\
5
-
-
-
-
0
其中dp[m][n]存储的就是在m-n范围内每次都猜错的最小花费,所以当m = n时,dp[m][n] = 0;
要规律地填满这个二维数组,先按照范围长度依次递增的顺序进行填充。
例如范围长度为1的时候,依次算1-2,2-3,3-4,4-5 很顺利可得二维数组为
\
1
2
3
4
5
1
0
1
2
-
0
2
3
-
-
0
3
4
-
-
-
0
4
5
-
-
-
-
0
当范围长度为2的时候,依次算1-3,2-4,3-5 由于之前的1-2,2-3,3-4,4-5已有答案,例如求dp[1][3]时,先1+max(dp[1][0], dp[2][3]) = 3;再2+max(dp[1][1], dp[3][3]) = 2;得出2最小。 依此推论,则很顺利可得二维数组为
\
1
2
3
4
5
1
0
1
2
4
6
2
-
0
2
3
6
3
-
-
0
3
4
4
-
-
-
0
4
5
-
-
-
-
0
自顶向上得出dp[1][n]结果。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 public static int getMoneyAmount (int n) { int [][] dp = new int [n + 1 ][n + 1 ]; for (int len = 1 ; len < n; len++){ for (int start = 1 ; start <= n - len; start++) { int minRes = Integer.MAX_VALUE; for (int piv = start; piv < start + len; piv++) { int res = piv + Math.max(dp[start][piv - 1 ], dp[piv + 1 ][start + len]); minRes = Math.min(res, minRes); } dp[start][start + len] = minRes; } } return dp[1 ][n]; }
链表 Linked List 基础 24 Swap Nodes in Pairs Swap Nodes in Pairs
给定一个链表,两两交换其中相邻的节点,并返回交换后的链表。
你不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。
示例:
1 给定 1->2->3->4, 你应该返回 2->1->4->3.
2020.03.25
1 2 3 4 5 6 7 8 9 10 11 class Solution { public ListNode swapPairs (ListNode head) { if (head == null || head.next == null ) return head; ListNode next = head.next; head.next = swapPairs(next.next); next.next = head; return next; } }
递归主要注意三个点: 1. 递归终止条件 2. 递归内部操作 3. 递归返回值
在这个题目里面,假设有head->next->next.next点,最终要达到next->head->next.next效果,可以确定终止条件是当head或者next为空,同时也可以确定返回值,新链表的head是next,那么返回值就是next,以作为下一个递归的参数。
内部操作也很好懂,把head的下一位链接到next.next,具体这里到底是哪个值其实并不需要在意,只需要连接到第三位就行了,不用细思第三位上到底是什么。这里就可以用递归,swapPairs(next.next),返回的是第三部分链表结点们的头结点。最后把next的下一位指向head,就完成了链表的转换。记住递归就是不断做重复的操作。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 class Solution { public ListNode swapPairs (ListNode head) { ListNode neg = new ListNode (0 ); neg.next = head; ListNode pre = neg; while (head != null && head.next != null ){ ListNode first = head; ListNode second = head.next; pre.next = second; first.next = second.next; second.next = first; pre = head; head = head.next; } return neg.next; } }
非递归的话就是设置pre->1st->2nd三个指针,内部操作完以后再往后顺一位就行了,while循环外要变动的只有两个指针,一个pre一个head,所以只要他俩往后顺一位就行了。neg用来记录头结点。
328 Odd Even Linked List Odd Even Linked List
给定一个单链表,把所有的奇数节点和偶数节点分别排在一起。请注意,这里的奇数节点和偶数节点指的是节点编号的奇偶性,而不是节点的值的奇偶性。
请尝试使用原地算法完成。你的算法的空间复杂度应为 O(1),时间复杂度应为 O(nodes),nodes 为节点总数。
示例 1:
1 2 输入: 1->2->3->4->5->NULL 输出: 1->3->5->2->4->NULL
示例 2:
1 2 输入: 2->1->3->5->6->4->7->NULL 输出: 2->3->6->7->1->5->4->NULL
说明:
应当保持奇数节点和偶数节点的相对顺序。 链表的第一个节点视为奇数节点,第二个节点视为偶数节点,以此类推。
2020.03.25
这题思路很简单,就是拆成两个奇偶链表,因为需要把偶链表的头结点链接到奇链表的尾结点上,双端操作就需要每个链表分别设置头指针和尾指针。
遇到链表题一定要画图,也注意分清楚哪些指针是需要变动的
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 class Solution { public ListNode oddEvenList (ListNode head) { if (head == null ) return null ; ListNode oddTail = head; ListNode evenHead = head.next; ListNode evenTail = evenHead; while (evenTail != null && evenTail.next != null ){ oddTail.next = evenTail.next; oddTail = oddTail.next; evenTail.next = oddTail.next; evenTail = evenTail.next; } oddTail.next = evenHead; return head; } }
92 Reverse Linked List II Reverse Linked List II
反转从位置 m 到 n 的链表。请使用一趟扫描完成反转。
说明: 1 ≤ m ≤ n ≤ 链表长度。
示例:
1 2 输入: 1->2->3->4->5->NULL, m = 2, n = 4 输出: 1->4->3->2->5->NULL
2020.03.26
不难做,注意遇到链表题要画图画图画图。 然后为了防止出现从1开始反转的情况,设置一个neg结点在头指针前。因为要有衔接嘛所以设置一个linkTail作为m结点前一位的结点,linkHead作为m结点本身。只有pre和head两个结点在动(其实为了谨慎一点可以把head设置成为current指针)。pre和head每次往后移一位,进入m-n的范围了,head直接回头指向pre就行了。最后把这段反转链表的头尾衔接上,此时头尾衔接指针应该分别为 linkTail, linkHead; head, head.next。
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 class Solution { public ListNode reverseBetween (ListNode head, int m, int n) { if (m == n) return head; ListNode neg = new ListNode (0 ); neg.next = head; int count = 0 ; ListNode linkTail = null ; ListNode linkHead = null ; ListNode pre = neg; while (head != null ){ count ++; if (count == m){ linkTail = pre; linkHead = head; } if (count > m && count < n){ ListNode temp = head.next; head.next = pre; pre = head; head = temp; continue ; } if (count == n){ linkHead.next = head.next; head.next = pre; linkTail.next = head; break ; } head = head.next; pre = pre.next; } return neg.next; } }
19 Remove Nth Node From End of List Remove Nth Node From End of List
给定一个链表,删除链表的倒数第 n 个节点,并且返回链表的头结点。
示例:
1 2 3 给定一个链表: 1->2->3->4->5, 和 n = 2. 当删除了倒数第二个节点后,链表变为 1->2->3->5.
说明:
给定的 n 保证是有效的。
进阶:
你能尝试使用一趟扫描实现吗?
2020.03.26
先遍历一遍得到全长,再通过全长和倒数数字得到顺数的位置。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 class Solution { public ListNode removeNthFromEnd (ListNode head, int n) { ListNode cur = head; int overall = 0 ; while (cur != null ){ cur = cur.next; overall++; } int target = overall - n + 1 ; ListNode neg = new ListNode (0 ); neg.next = head; cur = neg; while (target > 1 ){ target--; cur = cur.next; } cur.next = cur.next.next; return neg.next; } }
这题还有一个解法很有意思,但是先不写了:
1 2 3 想象一下,两个人进行 100m 赛跑,假设他们的速度相同。开始的时候,第一个人就在第二个人前边 10m ,这样当第一个人跑到终点的时候,第二个人相距第一个人依旧是 10m ,也就是离终点 10m。 对比于链表,我们设定两个指针,先让第一个指针遍历 n 步,然后再让它俩同时开始遍历,这样的话,当第一个指针到头的时候,第二个指针就离第一个指针有 n 的距离,所以第二个指针的位置就刚好是倒数第 n 个结点。
82 Remove Duplicates from Sorted List II Remove Duplicates from Sorted List II
给定一个排序链表,删除所有含有重复数字的节点,只保留原始链表中 没有重复出现 的数字。
示例 1:
1 2 输入: 1->2->3->3->4->4->5 输出: 1->2->5
示例 2:
1 2 输入: 1->1->1->2->3 输出: 2->3
2020.03.28
这题画了图以后还是很好做的……设置了三个指针pre cur next,先记录下重复值,一次性消除该重复值的结点们。
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 class Solution { public ListNode deleteDuplicates (ListNode head) { if (head == null ) return head; ListNode neg = new ListNode (0 ); neg.next = head; ListNode pre = neg; ListNode cur = neg.next; ListNode next = neg.next.next; int dupNum = -1 ; while (next != null ){ if (cur.val == next.val){ dupNum = cur.val; while (next.val == dupNum) { next = next.next; if (next == null ) break ; } pre.next = next; cur = next; if (next != null ) next = next.next; continue ; } pre = pre.next; cur = cur.next; if (next != null ){ next = next.next; } } return neg.next; } }
2 Add Two Numbers Add Two Numbers
给出两个 非空 的链表用来表示两个非负的整数。其中,它们各自的位数是按照 逆序 的方式存储的,并且它们的每个节点只能存储 一位 数字。
如果,我们将这两个数相加起来,则会返回一个新的链表来表示它们的和。
您可以假设除了数字 0 之外,这两个数都不会以 0 开头。
示例:
1 2 3 输入:(2 -> 4 -> 3) + (5 -> 6 -> 4) 输出:7 -> 0 -> 8 原因:342 + 465 = 807
2020.03.29
这题就用常规思路算就行了,新建一个链表,对l1l2每个相加进位,用个carry。也没什么坑。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 class Solution { public ListNode addTwoNumbers (ListNode l1, ListNode l2) { ListNode neg = new ListNode (0 ); ListNode num1 = l1, num2 = l2, cur = neg; int carry = 0 ; while (num1 != null || num2 != null ){ int x = 0 , y = 0 ; if (num1 != null ) x = num1.val; if (num2 != null ) y = num2.val; int sum = carry + x + y; carry = sum / 10 ; cur.next = new ListNode (sum % 10 ); cur = cur.next; if (num1 != null ) num1 = num1.next; if (num2 != null ) num2 = num2.next; } if (carry > 0 ) cur.next = new ListNode (carry); return neg.next; } }
二分查找 Binary Search 基础 33 Search in Rotated Sorted Array Search in Rotated Sorted Array
假设按照升序排序的数组在预先未知的某个点上进行了旋转。
( 例如,数组 [0,1,2,4,5,6,7] 可能变为 [4,5,6,7,0,1,2] )。
搜索一个给定的目标值,如果数组中存在这个目标值,则返回它的索引,否则返回 -1 。
你可以假设数组中不存在重复的元素。
你的算法时间复杂度必须是 O(log n) 级别。
示例 1:
1 2 输入: nums = [4,5,6,7,0,1,2], target = 0 输出: 4
示例 2:
1 2 输入: nums = [4,5,6,7,0,1,2], target = 3 输出: -1
2020.04.03
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 class Solution { public int search (int [] nums, int target) { int left = 0 , right = nums.length - 1 , mid; while (left <= right){ mid = left + (right - left) / 2 ; if (nums[mid] == target) return mid; else if (nums[left] <= nums[mid]){ if (target >= nums[left] && target <= nums[mid]){ right = mid - 1 ; }else { left = mid + 1 ; } }else { if (target >= nums[mid] && target <= nums[right]){ left = mid + 1 ; }else { right = mid - 1 ; } } } return -1 ; } }
81 Search in Rotated Sorted Array II Search in Rotated Sorted Array II
假设按照升序排序的数组在预先未知的某个点上进行了旋转。
( 例如,数组 [0,0,1,2,2,5,6] 可能变为 [2,5,6,0,0,1,2] )。
编写一个函数来判断给定的目标值是否存在于数组中。若存在返回 true,否则返回 false。
示例 1:
1 2 输入: nums = [2,5,6,0,0,1,2], target = 0 输出: true
示例 2:
1 2 输入: nums = [2,5,6,0,0,1,2], target = 3 输出: false
2020.04.05
注意[1,3,1,1,1]中寻找3这种没办法确定哪边是有序的例子,用left++去掉一个重复元素即可
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 class Solution { public boolean search (int [] nums, int target) { int left = 0 , right = nums.length - 1 , mid; while (left <= right){ mid = (left + right) / 2 ; if (nums[mid] == target) return true ; else if (nums[left] == nums[mid]){ left ++; continue ; } else if (nums[left] < nums[mid]){ if (nums[left] <= target && target < nums[mid]){ right = mid - 1 ; }else left = mid + 1 ; }else { if (nums[mid] < target && target <= nums[right]){ left = mid + 1 ; }else right = mid - 1 ; } } return false ; } }
153 Find Minimum in Rotated Sorted Array Find Minimum in Rotated Sorted Array
假设按照升序排序的数组在预先未知的某个点上进行了旋转。
( 例如,数组 [0,1,2,4,5,6,7] 可能变为 [4,5,6,7,0,1,2] )。
请找出其中最小的元素。
你可以假设数组中不存在重复元素。
示例 1:
示例 2:
1 2 输入: [4,5,6,7,0,1,2] 输出: 0
2020.04.06
一个解法是找出轴点,先判断有序,如果左边全是升序,那结点一定存在于右边;如果右边有序,那结点一定存在于左边。
但是这个解法需要考虑边界,一个是[1]的情况,一个是[1,2]的情况。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 class Solution { public int findMin (int [] nums) { int left = 0 , right = nums.length - 1 , mid; if (nums[right] > nums[0 ] || nums.length == 1 ) { return nums[left]; } while (left <= right){ mid = (left + right) / 2 ; if (nums[mid] > nums[mid + 1 ]) return nums[mid + 1 ]; if (nums[mid] < nums[mid - 1 ]) return nums[mid]; if (nums[left] < nums[mid]){ left = mid; }else { right = mid; } } return nums[left]; } }
另一种解法不需要判断边界值
1 2 3 4 5 6 7 8 9 10 11 class Solution { public int findMin (int [] nums) { int left = 0 , right = nums.length - 1 , mid; while (left <= right){ mid = (left + right) / 2 ; if (nums[mid] > nums[nums.length - 1 ]) left = mid + 1 ; else right = mid - 1 ; } return nums[left]; } }
162 Find Peak Element Find Peak Element
峰值元素是指其值大于左右相邻值的元素。
给定一个输入数组 nums,其中 nums[i] ≠ nums[i+1],找到峰值元素并返回其索引。
数组可能包含多个峰值,在这种情况下,返回任何一个峰值所在位置即可。
你可以假设 nums[-1] = nums[n] = -∞。
示例 1:
1 2 3 输入: nums = [1,2,3,1] 输出: 2 解释: 3 是峰值元素,你的函数应该返回其索引 2。
示例 2:
1 2 3 4 输入: nums = [1,2,1,3,5,6,4] 输出: 1 或 5 解释: 你的函数可以返回索引 1,其峰值元素为 2; 或者返回索引 5, 其峰值元素为 6。
2020.04.07
找峰值,通过判断升序降序来判断峰值在左边还是右边。while循环条件那边要注意一下。
1 2 3 4 5 6 7 8 9 10 11 class Solution { public int findPeakElement (int [] nums) { int left = 0 , right = nums.length - 1 , mid; while (left < right){ mid = left + (right - left) / 2 ; if (nums[mid] < nums[mid+1 ]) left = mid + 1 ; else right = mid; } return left; } }
*34 Find First and Last Position of Element in Sorted Array Find First and Last Position of Element in Sorted Array
给定一个按照升序排列的整数数组 nums,和一个目标值 target。找出给定目标值在数组中的开始位置和结束位置。
你的算法时间复杂度必须是 O(log n) 级别。
如果数组中不存在目标值,返回 [-1, -1]。
示例 1:
1 2 输入: nums = [5,7,7,8,8,10], target = 8 输出: [3,4]
示例 2:
1 2 输入: nums = [5,7,7,8,8,10], target = 6 输出: [-1,-1]
2020.04.08
两次使用二分查找分别找出左边界和右边界,左边界很好找,当while循环退出,left就是左边界。 右边界需要mid每次多+1,保证范围足够大。在两个循环退出后都要判断是否左右边界和target数字相同。是则存入,否则不存。 简易版本:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 class Solution { public int [] searchRange(int [] nums, int target) { int [] result = {-1 , -1 }; int start = 0 , end = nums.length - 1 , mid; if (nums != null && nums.length != 0 ) { while (start < end) { mid = start + (end - start) / 2 ; if (nums[mid] < target) start = mid + 1 ; else end = mid; } if (nums[start] == target) result[0 ] = start; end = nums.length - 1 ; while (start < end) { mid = start + (end - start) / 2 + 1 ; if (nums[mid] > target) end = mid - 1 ; else start = mid; } if (nums[end] == target) result[1 ] = end; } return result; } }
进阶版本:
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 class Solution { private int extremeInsertionIndex (int [] nums, int target, boolean left) { int lo = 0 ; int hi = nums.length; while (lo < hi) { int mid = (lo + hi) / 2 ; if (nums[mid] > target || (left && target == nums[mid])) { hi = mid; } else { lo = mid+1 ; } } return lo; } public int [] searchRange(int [] nums, int target) { int [] targetRange = {-1 , -1 }; int leftIdx = extremeInsertionIndex(nums, target, true ); if (leftIdx == nums.length || nums[leftIdx] != target) { return targetRange; } targetRange[0 ] = leftIdx; targetRange[1 ] = extremeInsertionIndex(nums, target, false )-1 ; return targetRange; } }
这题还可以用0.5来求,例如target是8,就在int数组里查找7.5和8.5。这个办法也很绝。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 class Solution { public int [] searchRange(int [] nums, int target) { double left = target - 0.5 , right = target + 0.5 ; int l = bs(nums, left), r = bs(nums, right); if (l == r) return new int []{-1 , -1 }; return new int []{l, r-1 }; } public int bs (int [] nums, double target) { int l = 0 , h = nums.length-1 ; while (l <= h){ int m = l + (h - l)/2 ; if (target > nums[m]) l = m+1 ; else h = m-1 ; } return l; } }
矩阵 Matrix 基础 48 Rotate Image Rotate Image
给定一个 n × n 的二维矩阵表示一个图像。
将图像顺时针旋转 90 度。
说明:
你必须在原地旋转图像,这意味着你需要直接修改输入的二维矩阵。请不要使用另一个矩阵来旋转图像。
示例 1:
1 2 3 4 5 6 7 8 9 10 11 12 13 给定 matrix = [ [1,2,3], [4,5,6], [7,8,9] ], 原地旋转输入矩阵,使其变为: [ [7,4,1], [8,5,2], [9,6,3] ]
示例 2:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 给定 matrix = [ [ 5, 1, 9,11], [ 2, 4, 8,10], [13, 3, 6, 7], [15,14,12,16] ], 原地旋转输入矩阵,使其变为: [ [15,13, 2, 5], [14, 3, 4, 1], [12, 6, 8, 9], [16, 7,10,11] ]
2020.04.11
矩阵翻转题。观察规律是每四个点旋转,如
最先是角上四个点1,3,7,9旋转,最后2,4,8,6旋转。有点难写就换了思路,观察可得先把例中矩阵置换为
注意双重循环的条件应该是j = i开始。 置换完毕后再每行中置换。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 class Solution { public void rotate (int [][] matrix) { int n = matrix.length; for (int i = 0 ; i < n; i++){ for (int j = i; j < n; j++){ int temp = matrix[i][j]; matrix[i][j] = matrix[j][i]; matrix[j][i] = temp; } } for (int i = 0 ; i < n; i++){ for (int j = 0 ; j < n / 2 ; j++){ int temp = matrix[i][j]; matrix[i][j] = matrix[i][n - 1 - j]; matrix[i][n - 1 - j] = temp; } } } }
54 Spiral Matrix Spiral Matrix
2020.04.12
这题太绝了,我推荐我自己学十遍!主要就是设置边界,如果边界有重合那就说明已经遍历完成了
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 class Solution { public List<Integer> spiralOrder (int [][] matrix) { List<Integer> result = new LinkedList <Integer>(); if (matrix.length == 0 ) return result; int up = 0 , down = matrix.length - 1 , left = 0 , right = matrix[0 ].length - 1 ; while (true ){ for (int i = left; i <= right; i++) result.add(matrix[up][i]); if (up++ >= down)break ; for (int i = up; i <= down; i++)result.add(matrix[i][right]); if (right-- <= left) break ; for (int i = right; i >= left; i--) result.add(matrix[down][i]); if (down-- <= up)break ; for (int i = down; i >= up; i--)result.add(matrix[i][left]); if (left++ >= right)break ; } return result; } }
59 Spiral Matrix II Spiral Matrix II
给定一个正整数 n,生成一个包含 1 到 n2 所有元素,且元素按顺时针顺序螺旋排列的正方形矩阵。
示例:
1 2 3 4 5 6 7 输入: 3 输出: [ [ 1, 2, 3 ], [ 8, 9, 4 ], [ 7, 6, 5 ] ]
2020.04.13
边界值设置这个办法实在是太好用了……
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 class Solution { public int [][] generateMatrix(int n) { int [][] result = new int [n][n]; int left = 0 , right = n-1 , up = 0 , down = n-1 ; int number = 1 ; while (true ){ for (int i = left; i <= right; i++){ result[up][i] = number; number++; } if (up++ > down) break ; for (int i = up; i <= down; i++){ result[i][right] = number; number++; } if (right-- < left) break ; for (int i = right; i >= left; i--){ result[down][i] = number; number++; } if (down-- < up) break ; for (int i = down; i >= up; i--){ result[i][left] = number; number++; } if (left++ > right) break ; } return result; } }
73 Set Matrix Zeroes Set Matrix Zeroes
给定一个 m x n 的矩阵,如果一个元素为 0,则将其所在行和列的所有元素都设为 0。请使用原地算法。
示例 1:
1 2 3 4 5 6 7 8 9 10 11 12 输入: [ [1,1,1], [1,0,1], [1,1,1] ] 输出: [ [1,0,1], [0,0,0], [1,0,1] ]
示例 2:
1 2 3 4 5 6 7 8 9 10 11 12 输入: [ [0,1,2,0], [3,4,5,2], [1,3,1,5] ] 输出: [ [0,0,0,0], [0,4,5,0], [0,3,1,0] ]
2020.04.14
第一反应用hashSet!一次AC啦。用HashSet存下0的横竖坐标轴,最后再遍历一次,把记录下的xy轴上的行列都置为0。
但是这个办法要求额外空间,还有另一种办法可以原地置换,就是遇到有0的,把对应的行列第一个值分别记为0,这样在第二次遍历数组的时候,遇到行列第一个值是0的 就可以把整行或者整列清为0。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 class Solution { public void setZeroes (int [][] matrix) { HashSet<Integer> x = new HashSet <Integer>(); HashSet<Integer> y = new HashSet <Integer>(); for (int i = 0 ; i < matrix.length; i++){ for (int j = 0 ; j < matrix[0 ].length; j++){ if (matrix[i][j] == 0 ){ x.add(i);y.add(j); } } } for (int i = 0 ; i < matrix.length; i++){ for (int j = 0 ; j < matrix[0 ].length; j++){ if (x.contains(i) || y.contains(j)) matrix[i][j] = 0 ; } } } }
378 Kth Smallest Element in a Sorted Matrix Kth Smallest Element in a Sorted Matrix
给定一个 n x n 矩阵,其中每行和每列元素均按升序排序,找到矩阵中第k小的元素。 请注意,它是排序后的第 k 小元素,而不是第 k 个不同的元素。
示例:
1 2 3 4 5 6 7 8 matrix = [ [ 1, 5, 9], [10, 11, 13], [12, 13, 15] ], k = 8, 返回 13。
2020.04.16
解一 优先队列 用优先队列做,正常优先队列是小顶堆,注意要重写比较方法变为大顶堆。如果队列长度大于k,就把最大的poll出去。最终返回堆顶。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 class Solution { public int kthSmallest (int [][] matrix, int k) { PriorityQueue<Integer> queue = new PriorityQueue <>(new Comparator <Integer>() { public int compare (Integer o1, Integer o2) { return o2 - o1; } }); for (int i = 0 ; i < matrix.length; i++){ for (int j = 0 ; j < matrix[0 ].length; j++){ queue.add(matrix[i][j]); if (queue.size() > k) queue.poll(); } } return queue.peek(); } }
这题可以通过二分查找做,化作在有序数列中找出一个分界点,使得分界点的左边正好有k个数。当low >= high时返回low,就是第k小的元素。 两个端点:low是数组最左上角的数字,high是数组最右下角的数字。从数组的每一行开始判断,找出整个数组中少于两极端中端数mid的计数有多少。再根据比较k继续二分查找。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 class Solution { public int kthSmallest (int [][] matrix, int k) { int low = matrix[0 ][0 ], high = matrix[matrix.length - 1 ][matrix[0 ].length - 1 ]; while (low < high){ int mid = low + (high - low) / 2 ; int count = 0 , j = matrix[0 ].length - 1 ; for (int i = 0 ; i < matrix.length; i++){ while (j >= 0 && matrix[i][j] > mid) j--; count += (j + 1 ); } if (count < k) low = mid + 1 ; else high = mid; } return low; } }
74 Search a 2D Matrix Search a 2D Matrix
编写一个高效的算法来判断 m x n 矩阵中,是否存在一个目标值。该矩阵具有如下特性:
每行中的整数从左到右按升序排列。 每行的第一个整数大于前一行的最后一个整数。 示例 1:
1 2 3 4 5 6 7 8 输入: matrix = [ [1, 3, 5, 7], [10, 11, 16, 20], [23, 30, 34, 50] ] target = 3 输出: true
示例 2:
1 2 3 4 5 6 7 8 输入: matrix = [ [1, 3, 5, 7], [10, 11, 16, 20], [23, 30, 34, 50] ] target = 13 输出: false
2020.04.17
数组的每一行首尾衔接上可以看作有序数列,那么问题可以简化为二分查找在有序数列中找到目标值。low是数组左上角数字的序号,high是数组右下角数字的序号。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 class Solution { public boolean searchMatrix (int [][] matrix, int target) { if (matrix.length == 0 ) return false ; int low = 0 , high = matrix[0 ].length * matrix.length - 1 ; while (low <= high){ int mid = low + (high - low) / 2 ; int x = mid / matrix[0 ].length, y = mid % matrix[0 ].length; if (matrix[x][y] == target) return true ; else if (matrix[x][y] < target) low = mid + 1 ; else high = mid - 1 ; } return false ; } }
240 Search a 2D Matrix II Search a 2D Matrix II
编写一个高效的算法来搜索 m x n 矩阵 matrix 中的一个目标值 target。该矩阵具有以下特性:
每行的元素从左到右升序排列。 每列的元素从上到下升序排列。 示例:
现有矩阵 matrix 如下:
1 2 3 4 5 6 7 [ [1, 4, 7, 11, 15], [2, 5, 8, 12, 19], [3, 6, 9, 16, 22], [10, 13, 14, 17, 24], [18, 21, 23, 26, 30] ]
给定 target = 5,返回 true。
给定 target = 20,返回 false。
2020.04.18
既然是有序,可以用二分,就是先二分查找第一列第一行,都没有的话就递推到第二列第二行,直到最后一行最后一列也被查找过。
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 class Solution { public boolean searchMatrix (int [][] matrix, int target) { if (matrix == null || matrix.length == 0 ){ return false ; } int shorterDim = Math.min(matrix.length, matrix[0 ].length); for (int i = 0 ; i < shorterDim; i++){ boolean verticalFound = binarySearch(matrix, target, i, true ); boolean horizontalFound = binarySearch(matrix, target, i, false ); if (verticalFound || horizontalFound){ return true ; } } return false ; } private boolean binarySearch (int [][] matrix, int target, int start, boolean vertical) { int lo = start; int hi; if (vertical){ hi = matrix[0 ].length - 1 ; }else hi = matrix.length - 1 ; while (hi >= lo){ int mid = (lo + hi)/2 ; if (vertical){ if (matrix[start][mid] < target){ lo = mid + 1 ; }else if (matrix[start][mid] > target){ hi = mid - 1 ; }else return true ; }else { if (matrix[mid][start] < target){ lo = mid + 1 ; }else if (matrix[mid][start] > target){ hi = mid - 1 ; }else return true ; } } return false ; } }
DFS & BFS 基础 200 Number of Islands Number of Islands
给定一个由 ‘1’(陆地)和 ‘0’(水)组成的的二维网格,计算岛屿的数量。一个岛被水包围,并且它是通过水平方向或垂直方向上相邻的陆地连接而成的。你可以假设网格的四个边均被水包围。
示例 1:
1 2 3 4 5 6 7 输入: 11110 11010 11000 00000 输出: 1
示例 2:
1 2 3 4 5 6 7 输入: 11000 11000 00100 00011 输出: 3
2020.04.19
DFS的解法就是遍历数组,遇到每个1就先转为0再深度搜索,直到把一整块岛屿都转为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 30 class Solution { public int numIslands (char [][] grid) { if (grid == null || grid.length == 0 )return 0 ; int rows = grid.length, cols = grid[0 ].length; int num_islands = 0 ; for (int r = 0 ; r < rows; r++){ for (int c = 0 ; c < cols; c++){ if (grid[r][c] == '1' ){ num_islands++; dfs(grid, r, c); } } } return num_islands; } void dfs (char [][] grid, int r, int c) { int rows = grid.length; int cols = grid[0 ].length; if (r < 0 || c < 0 || r >= rows || c >= cols || grid[r][c] == '0' ) return ; grid[r][c] = '0' ; dfs(grid, r - 1 , c); dfs(grid, r + 1 , c); dfs(grid, r, c - 1 ); dfs(grid, r, c + 1 ); } }
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 65 66 67 68 69 70 71 72 73 74 class Solution { public int numIslands (char [][] grid) { if (grid == null || grid.length == 0 ) return 0 ; int rows = grid.length, cols = grid[0 ].length; UnionFind uf = new UnionFind (grid); for (int r = 0 ; r < rows; r++){ for (int c = 0 ; c < cols; c++){ if (grid[r][c] == '1' ){ grid[r][c] = '0' ; if (r - 1 >= 0 && grid[r - 1 ][c] == '1' ){ uf.union(r * cols + c, (r - 1 ) * cols + c); } if (r + 1 < rows && grid[r + 1 ][c] == '1' ){ uf.union(r * cols + c, (r + 1 ) * cols + c); } if (c - 1 >= 0 && grid[r][c - 1 ] == '1' ){ uf.union(r * cols + c, r * cols + c - 1 ); } if (c + 1 < cols && grid[r][c + 1 ] == '1' ){ uf.union(r * cols + c, r * cols + c + 1 ); } } } } return uf.getCount(); } class UnionFind { int count; int [] parent; int [] rank; public UnionFind (char [][] grid) { count = 0 ; int rows = grid.length, cols = grid[0 ].length; parent = new int [cols * rows]; rank = new int [cols * rows]; for (int i = 0 ; i < rows; i++){ for (int j = 0 ; j < cols; j++){ if (grid[i][j] == '1' ){ parent[i * cols + j] = i * cols + j; count++; } rank[i * cols + j] = 0 ; } } } public int find (int i) { if (parent[i] != i) parent[i] = find(parent[i]); return parent[i]; } public void union (int x, int y) { int rootx = find(x); int rooty = find(y); if (rootx != rooty){ if (rank[rootx] > rank[rooty]){ parent[rooty] = rootx; }else if (rank[rootx] < rank[rooty]){ parent[rootx] = rooty; }else { parent[rooty] = rootx; rank[rootx] += 1 ; } count--; } } public int getCount () { return count; } } }
130 Surrounded Regions Surrounded Regions 给定一个二维的矩阵,包含 ‘X’ 和 ‘O’(字母 O)。
找到所有被 ‘X’ 围绕的区域,并将这些区域里所有的 ‘O’ 用 ‘X’ 填充。
示例:
1 2 3 4 X X X X X O O X X X O X X O X X
运行你的函数后,矩阵变为:
1 2 3 4 X X X X X X X X X X X X X O X X
2020.06.14
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 class Solution { public void solve (char [][] board) { if (board.length < 3 || board[0 ].length < 3 ) return ; int rows = board.length, cols = board[0 ].length; for (int i = 0 ; i < rows; i++){ if (board[i][0 ] == 'O' ) DFS(board, i, 0 ); if (board[i][cols - 1 ] == 'O' ) DFS(board, i, cols - 1 ); } for (int i = 1 ; i < cols - 1 ; i++){ if (board[0 ][i] == 'O' ) DFS(board, 0 , i); if (board[rows - 1 ][i] == 'O' ) DFS(board, rows - 1 , i); } for (int i = 0 ; i < rows; i++){ for (int j = 0 ; j < cols; j++){ if (board[i][j] == 'O' ) board[i][j] = 'X' ; if (board[i][j] == '*' ) board[i][j] = 'O' ; } } } private void DFS (char [][] board, int rows, int cols) { if (rows < 0 || cols < 0 || rows > board.length - 1 || cols > board[0 ].length - 1 || board[rows][cols] != 'O' ) return ; board[rows][cols] = '*' ; DFS(board, rows + 1 , cols); DFS(board, rows - 1 , cols); DFS(board, rows, cols + 1 ); DFS(board, rows, cols - 1 ); } }
如果矩阵是2*2或以下的直接可以返回结果了,因为不存在被包围的元素。 从边角找起,找到是O
的就应用DFS继续探索,将所有没有被包围的O
变为*
暂定值。最后遍历这个矩阵,发现还是O
的就改为X
,发现是*
的就改回为O
。
127 Word Ladder Word Ladder
给定两个单词(beginWord 和 endWord)和一个字典,找到从 beginWord 到 endWord 的最短转换序列的长度。转换需遵循如下规则:
每次转换只能改变一个字母。
转换过程中的中间单词必须是字典中的单词。
说明:
如果不存在这样的转换序列,返回 0。
所有单词具有相同的长度。
所有单词只由小写字母组成。
字典中不存在重复的单词。
你可以假设 beginWord 和 endWord 是非空的,且二者不相同。
示例 1:
1 2 3 4 5 6 7 8 9 输入: beginWord = "hit", endWord = "cog", wordList = ["hot","dot","dog","lot","log","cog"] 输出: 5 解释: 一个最短转换序列是 "hit" -> "hot" -> "dot" -> "dog" -> "cog", 返回它的长度 5。
示例 2:
1 2 3 4 5 6 7 8 输入: beginWord = "hit" endWord = "cog" wordList = ["hot","dot","dog","lot","log"] 输出: 0 解释: endWord "cog" 不在字典中,所以无法进行转换。
2020.12.18
这题可用双向bfs想,分别从起始单词和目标单词每次变动一位字母,同时要求变动字母后的单词都在给出的wordlist中。 在示例1中,start是hit,end是cog,hit只变动一个字母形成的单词且在wordlist中的有hot。
start word
temp
end word
note
step
hit
hot
cog
2
cog
[dog,log]
hot
hot更新成为新的word,但start从原来的end开始
3
hot
[dot, lot]
[dog,log]
[dog,log]更新成为新的word,但start从原来的end开始
4
[dog,log]
->
[dot, lot]
再多一步可以完成变形
5
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 class Solution { public int ladderLength (String beginWord, String endWord, List<String> wordList) { Set<String> diction = new HashSet <>(wordList), beginSet = new HashSet <>(), endSet = new HashSet <>(), visitedSet = new HashSet <>(); beginSet.add(beginWord); if (diction.contains(endWord)) { endSet.add(endWord); for (int step = 2 ; !endSet.isEmpty(); step++) { Set<String> temp = new HashSet <>(); for (String s : beginSet) { for (int j = 0 ; j < s.length(); j++) { char [] chars = s.toCharArray(); for (char c = 'a' ; c <= 'z' ; c++) { if (c != chars[j]) { char t = chars[j]; chars[j] = c; String newS = String.valueOf(chars); if (endSet.contains(newS)) return step; if (diction.contains(newS) && visitedSet.add(newS)) temp.add(newS); chars[j] = t; } } } } beginSet = endSet; endSet = temp; } } return 0 ; } }