代码随想录Day27:回溯算法Part3

2024-04-04 11:04

本文主要是介绍代码随想录Day27:回溯算法Part3,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

Leetcode 39. 组合总和

讲解前:

这道题其实在掌握了之前的组合问题之后再看并不是那么难,其关键就在于我们这道题中没有一个特定需要的组合大小,并且列表中的元素是可以重复使用的,那么比如说给的例子中的

输入: candidates = [2,3,5]

target = 8
输出: [[2,2,2,2],[2,3,3],[3,5]]

这种情况如果画图的话就这样的

如图中所示的,我们发现每一层递归中,可选择的元素是包括当前元素在内的列表中的元素,这个设定和之前的组合问题相比较的区别在于我们可以包括自身的元素在内,这样以来,每一次选择的时候就给了我们重复利用一个数字的可能,所以startindex其实就是每一层for循环中我们遍历的数字,for循环的范围就是startindex到end of list

class Solution:def combinationSum(self, candidates: List[int], target: int) -> List[List[int]]:res = []path = []def backtracking(candidates, res, path, sum_, start_index):# base caseif sum_ > target:returnelif sum_ == target:res.append(path[:])return# recursive case# every time we at a num, the next num to add to the list can be any number# that's left from here including herefor i in range(start_index, len(candidates)):sum_ = sum_ + candidates[i]path.append(candidates[i])start_index = ibacktracking(candidates, res, path, sum_, start_index)sum_ = sum_ - candidates[i]path.pop()backtracking(candidates, res, path, 0, 0)return res 
讲解后:

卡哥的思路和我的一样,但是当我以为这道题其实因为控制递归的是target一个因素而不是还有规定的组合大小的时候,我以为没有剪枝操作了,但是后来发现卡哥还是给了一个剪枝的可能,也就是在我们还没有进行递归之前,就检查是否当前的sum已经超过了target,这样就不进入递归了,这样的话可以减少横向的for 循环中的递归次数,对于每一个list中的数字,如果加上会大于target,就直接continue跳过这次循环,再看下一个

这里其实如果我们能提前给candidate数组排个序的话,甚至可以把continue改成break,因为剩余的数字都不用检查了,因为全部都还是会大于target 

class Solution:def combinationSum(self, candidates: List[int], target: int) -> List[List[int]]:res = []path = []def backtracking(candidates, res, path, sum_, start_index):# base caseif sum_ > target:returnelif sum_ == target:res.append(path[:])return# recursive case# every time we at a num, the next num to add to the list can be any number# that's left from here including herefor i in range(start_index, len(candidates)):# 剪枝操作,如果知道sum会大于target,直接跳过进入递归的代码if sum_ + candidates[i] > target:continuesum_ = sum_ + candidates[i]path.append(candidates[i])start_index = ibacktracking(candidates, res, path, sum_, start_index)sum_ = sum_ - candidates[i]path.pop()backtracking(candidates, res, path, 0, 0)return res 

Leetcode 40. 组合总和

讲解前:

一开始我只是想的是如果答案不能有重复的数字出现,那每次添加到res之前检查一下path是否在res中已经存在过不就好了,但后来我发现这样也不行,因为重复的组合并不一定代表顺序也是重复的,然后我发现可能我们只要把candidate排序,按照从大到小,这样就算有重复的组合,也会有一样的顺序,这样就能检查了,我在Leetcode上提交之后通过了95%的测试,但是不能通过一个全部都是1的,超出时间限制

class Solution:def combinationSum2(self, candidates: List[int], target: int) -> List[List[int]]:res = []path = []candidates.sort()def backtracking(candidates, res, path, sum_, start_index):if sum_ > target:return if sum_ == target and path not in res:res.append(path[:])returnfor i in range(start_index, len(candidates)):if sum_ + candidates[i] > target: continuesum_ = sum_ + candidates[i]path.append(candidates[i])pre = candidates[i]backtracking(candidates, res, path, sum_, i + 1)sum_ = sum_ - candidates[i]path.pop()backtracking(candidates, res, path, 0, 0)return res
讲解后:

其实卡哥的解法我一开始也想到了,排序之后其实避免重复组合的方法就是看新的开始遍历的startindex上的数字是否和之前上一轮遍历的一样,也就是在for 循环的层中,我们不能让path从已经用过了的数字重新开始但是在树的深度也就是找path的层面是可以的,我一开始写的时候只用了一个pre来记录之前的数字所以我没办法区分这两种情况,卡哥的使用一个used数组的方法很好的解决了这个问题,当我们的i-1的used中是1的时候我们就知道如果当前的i也是1的话,是没关系的,因为他们在同一个path里面,但是如果i-1的used是0的话,证明i-1开头的path已经结束了,现在是一个新的path在i开始,并且i和上一轮的path开头一样,那么就证明这个i开头的path会带我们找到一个重复的数组,所以continue跳过

class Solution:def combinationSum2(self, candidates: List[int], target: int) -> List[List[int]]:res = []path = []used = [0] * len(candidates)candidates.sort()def backtracking(candidates, res, path, sum_, start_index, used):if sum_ > target:return if sum_ == target:res.append(path[:])returnprint(path)for i in range(start_index, len(candidates)):if (i > 0 and used[i - 1] == 0 and candidates[i] == candidates[i - 1]):continueif sum_ + candidates[i] > target: breaksum_ = sum_ + candidates[i]path.append(candidates[i])used[i] = 1backtracking(candidates, res, path, sum_, i + 1, used)sum_ = sum_ - candidates[i]path.pop()used[i] = 0backtracking(candidates, res, path, 0, 0, used)return res

并且这里还有一个很好用的剪枝就是因为我们这个解法中candidate数组已经排过序了,所以当我们发现sum_已经被加的大于target之后,可以直接break结束掉来结束后面所有的递归,因为是有序的,只会越来越大

看完了文字版讲解之后发现去重的思路甚至可以更简单,就像我们所说的,去重其实就是要确定当前的i是在横向的for循环中的和i-1相等,其实这就是说i > startindex, 因为我们在纵向的找path的时候,每一次进行递归其实就是把startindex传入i+1,所以纵向的情况下,i每一次就是从startindex开始的,是和startindex相等的,所以这里可以得到一个更精简的版本

class Solution:def combinationSum2(self, candidates: List[int], target: int) -> List[List[int]]:res = []path = []candidates.sort()def backtracking(candidates, res, path, sum_, start_index):if sum_ > target:return if sum_ == target:res.append(path[:])returnfor i in range(start_index, len(candidates)):if i > start_index and candidates[i] == candidates[i - 1]:continueif sum_ + candidates[i] > target: breaksum_ = sum_ + candidates[i]path.append(candidates[i])backtracking(candidates, res, path, sum_, i + 1)sum_ = sum_ - candidates[i]path.pop()backtracking(candidates, res, path, 0, 0)return res

Leetcode 131. 分割回文串

讲解前:

这道题让我很懵,没有思路

讲解后:

这道题要做好其实需要掌握好两点,第一点就是理解分割问题和组合问题其实是同样的思路,利用我们的回溯模版通过递归和for循环能够找到任意一个string的所有子串的切割可能就如下图所示

在图中我们就像在组合问题中选取数字一样选取切割点,然后for循环中我们每一个分支的起点就是当前剩余的位置的开头,然后我们纵向遍历寻找结果的时候,就是不断选取可能的新切割点然后进行切割,知道我们的切割点切到了string的最后一个字符的时候,也就是到了叶子节点的时候,我们这时候通过所有的切割点切好的string就是一个分割好的字符串,切割点之间都是我们的子串

然后呢就是第二个思路,如何来取到我们的子串然后加入到path数组中去呢?其实看图就可以发现,我们就拿第一个分支来说,最后的结果是['a', 'a', 'b'], 也就是说这三个子串分别在三次递归中被加入到了我们的path中,然后在这三次递归中,因为他们是纵向递归寻找的叶子节点,所以他们在每一次递归中,startindex都被更新成了i+1,所以其实每一次选取的时候,startindex和i都是指向的同一个下标,所以我们的子串其实应该取的值就是[startindex, i] 然后是左闭右闭,因为你如果看向横向,也就是图中的['a', 'ab'], ab的值其实就是在for loop中,我们同一横向的属于同一个for循环意味着startindex没有变,然后这是i已经更新到了b的下标,所以我们能通过[startindex, i] 取到'ab'这个子串然后加入到path中去

class Solution:def partition(self, s: str) -> List[List[str]]:# initialize variablesres = []path = []# define backtracking functiondef backtracking(s, res, path, start_index):# base case when we reach leaf call, add path to resif start_index >= len(s):res.append(path[:])return# recursive casefor i in range(start_index, len(s)):# check if the current substring is palindromesubstring = s[start_index: i + 1]if substring == substring[::-1]:path.append(substring)# do the recursive call to as i + 1 for next startindexbacktracking(s, res, path, i + 1)path.pop()backtracking(s, res, path, 0)return res 

这里用到了python中字符串切片从后遍历的技巧来验证是否为回文串,如果不是我们就不加入到path中去,也不继续进行递归,因为题目要求最后传入的子串都需要是回文串,如果当前path中出现了不是回文串的子串,整个path就可以放弃了,同理for 循环中也可以直接开始下一个了​​​​​​​

这篇关于代码随想录Day27:回溯算法Part3的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/875606

相关文章

python实现pdf转word和excel的示例代码

《python实现pdf转word和excel的示例代码》本文主要介绍了python实现pdf转word和excel的示例代码,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价... 目录一、引言二、python编程1,PDF转Word2,PDF转Excel三、前端页面效果展示总结一

在MyBatis的XML映射文件中<trim>元素所有场景下的完整使用示例代码

《在MyBatis的XML映射文件中<trim>元素所有场景下的完整使用示例代码》在MyBatis的XML映射文件中,trim元素用于动态添加SQL语句的一部分,处理前缀、后缀及多余的逗号或连接符,示... 在MyBATis的XML映射文件中,<trim>元素用于动态地添加SQL语句的一部分,例如SET或W

使用C#代码计算数学表达式实例

《使用C#代码计算数学表达式实例》这段文字主要讲述了如何使用C#语言来计算数学表达式,该程序通过使用Dictionary保存变量,定义了运算符优先级,并实现了EvaluateExpression方法来... 目录C#代码计算数学表达式该方法很长,因此我将分段描述下面的代码片段显示了下一步以下代码显示该方法如

Python中的随机森林算法与实战

《Python中的随机森林算法与实战》本文详细介绍了随机森林算法,包括其原理、实现步骤、分类和回归案例,并讨论了其优点和缺点,通过面向对象编程实现了一个简单的随机森林模型,并应用于鸢尾花分类和波士顿房... 目录1、随机森林算法概述2、随机森林的原理3、实现步骤4、分类案例:使用随机森林预测鸢尾花品种4.1

python多进程实现数据共享的示例代码

《python多进程实现数据共享的示例代码》本文介绍了Python中多进程实现数据共享的方法,包括使用multiprocessing模块和manager模块这两种方法,具有一定的参考价值,感兴趣的可以... 目录背景进程、进程创建进程间通信 进程间共享数据共享list实践背景 安卓ui自动化框架,使用的是

SpringBoot生成和操作PDF的代码详解

《SpringBoot生成和操作PDF的代码详解》本文主要介绍了在SpringBoot项目下,通过代码和操作步骤,详细的介绍了如何操作PDF,希望可以帮助到准备通过JAVA操作PDF的你,项目框架用的... 目录本文简介PDF文件简介代码实现PDF操作基于PDF模板生成,并下载完全基于代码生成,并保存合并P

SpringBoot基于MyBatis-Plus实现Lambda Query查询的示例代码

《SpringBoot基于MyBatis-Plus实现LambdaQuery查询的示例代码》MyBatis-Plus是MyBatis的增强工具,简化了数据库操作,并提高了开发效率,它提供了多种查询方... 目录引言基础环境配置依赖配置(Maven)application.yml 配置表结构设计demo_st

SpringCloud集成AlloyDB的示例代码

《SpringCloud集成AlloyDB的示例代码》AlloyDB是GoogleCloud提供的一种高度可扩展、强性能的关系型数据库服务,它兼容PostgreSQL,并提供了更快的查询性能... 目录1.AlloyDBjavascript是什么?AlloyDB 的工作原理2.搭建测试环境3.代码工程1.

Java调用Python代码的几种方法小结

《Java调用Python代码的几种方法小结》Python语言有丰富的系统管理、数据处理、统计类软件包,因此从java应用中调用Python代码的需求很常见、实用,本文介绍几种方法从java调用Pyt... 目录引言Java core使用ProcessBuilder使用Java脚本引擎总结引言python

Java中ArrayList的8种浅拷贝方式示例代码

《Java中ArrayList的8种浅拷贝方式示例代码》:本文主要介绍Java中ArrayList的8种浅拷贝方式的相关资料,讲解了Java中ArrayList的浅拷贝概念,并详细分享了八种实现浅... 目录引言什么是浅拷贝?ArrayList 浅拷贝的重要性方法一:使用构造函数方法二:使用 addAll(