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

news2025/1/18 17:13:07

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 case
            if sum_ > target:
                return
            elif 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 here
            for i in range(start_index, len(candidates)):
                sum_ = sum_ + candidates[i]
                path.append(candidates[i])

                start_index = i
                backtracking(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 case
            if sum_ > target:
                return
            elif 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 here
            for i in range(start_index, len(candidates)):
                # 剪枝操作,如果知道sum会大于target,直接跳过进入递归的代码
                if sum_ + candidates[i] > target:
                    continue
                    
                sum_ = sum_ + candidates[i]
                path.append(candidates[i])

                start_index = i
                backtracking(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[:])
                return
            
            for i in range(start_index, len(candidates)):
                if sum_ + candidates[i] > target: 
                    continue
                
                sum_ = 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[:])
                return
            print(path)
            for i in range(start_index, len(candidates)):
                if (i > 0 and used[i - 1] == 0 and candidates[i] == candidates[i - 1]):
                    continue
                if sum_ + candidates[i] > target: 
                    break
                
                sum_ = sum_ + candidates[i]
                path.append(candidates[i])
                used[i] = 1
                backtracking(candidates, res, path, sum_, i + 1, used)

                sum_ = sum_ - candidates[i]
                path.pop()
                used[i] = 0
            
        backtracking(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[:])
                return
            
            for i in range(start_index, len(candidates)):
                if i > start_index and candidates[i] == candidates[i - 1]:
                    continue
                if sum_ + candidates[i] > target: 
                    break
                
                sum_ = 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 variables
        res = []
        path = []

        # define backtracking function
        def backtracking(s, res, path, start_index):
            # base case when we reach leaf call, add path to res
            if start_index >= len(s):
                res.append(path[:])
                return
            
            # recursive case
            for i in range(start_index, len(s)):
                # check if the current substring is palindrome
                substring = s[start_index: i + 1]
                if substring == substring[::-1]:
                    path.append(substring)

                    # do the recursive call to as i + 1 for next startindex
                    backtracking(s, res, path, i + 1)

                    path.pop()
            
        backtracking(s, res, path, 0)
        return res 

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

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1569040.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

使用Python获取红某书笔记详情并批量无水印下载

根据红某手最新版 请求接口必须要携带x-s x-s-c x-t,而调用官方接口又必须携带cookie,缺一不可,获取笔记详情可以通过爬取网页的形式获取,虽然也是无水印,但是一些详情信息只能获取大概,并不是详细的数值,因此既不想自己破解x-s x…

【chrome扩展】简 Tab (SimpTab)‘每日一句名言’样式

背景:最初参考“每日诗词”发现总是那几句,可以更换API接口完成“每日一句名言” 声明:本人不会ajax及ccs样式,非专业人士,借助CHATGPT代码生成完成。请友善交流。 每一句名言API: "https://api.xygeng.cn/open…

【MATLAB第102期】基于MATLAB的BRT增强回归树多输入单输出回归预测模型

【MATLAB第102期】基于MATLAB的BRT增强回归树多输入单输出回归预测模型 BRT,即Boosted Regression Trees(增强回归树),是一种用于回归问题的集成学习方法。它结合了多个决策树模型,通过逐步改进的方式来提高整体模型的…

【保姆级介绍Oracle】

🎥博主:程序员不想YY啊 💫CSDN优质创作者,CSDN实力新星,CSDN博客专家 🤗点赞🎈收藏⭐再看💫养成习惯 ✨希望本文对您有所裨益,如有不足之处,欢迎在评论区提出…

开放威胁情报社区

AlienVault - Open Threat ExchangeLearn about the latest cyber threats. Research, collaborate, and share threat intelligence in real time. Protect yourself and the community against todays emerging threats.https://otx.alienvault.com/

Kotlin:for循环的几种示例

一、 打印 0 到 2 1.1 方式一:0 until 3 /*** 打印 0 到 2*/ fun print0To2M1(){for (inex in 0 until 3){// 不包含3print("$inex ")} }运行结果 1.2 方式二:inex in 0 …2 /*** 打印 0 到 2*/ fun print0To2M2(){for (inex in 0 ..2){//…

哈哈哈哈哈

欢迎使用Markdown编辑器 你好! 这是你第一次使用 Markdown编辑器 所展示的欢迎页。如果你想学习如何使用Markdown编辑器, 可以仔细阅读这篇文章,了解一下Markdown的基本语法知识。 222 我们对Markdown编辑器进行了一些功能拓展与语法支持,…

【Linux】详解动态库链接和加载对可执行程序底层的理解

一、动静态库链接的几种情况 如果我们同时提供动态库和静态库,gcc默认使用的是动态库。如果我们非要使用静态库,要加-static选项。如果我们只提供静态库,那可执行程序没办法,只能对该库进行静态链接,但程序不一定整体…

Ds18B20理解与运用

在51单片机中,DS18B20是一个十分重要的外设,它是一个温度传感器,可以读取温度并以16位的数据输出。这个数据由四位符号位,7位整数位和4位小数位组成。当符号位都是0的时候,温度是零上温度;当符号位都是1的时…

基于隐私保护的可追踪可撤销密文策略属性加密方案论文阅读

论文是2022年发表的A Traceable and Revocable Ciphertext-Policy Attribute-based Encryption Scheme Based on Privacy Protection 摘要 本篇论文提出了一种具有用户撤销、白盒追踪、策略策略隐藏功能的CP-ABE方案。在该方案中密文被分为两个部分:第一个部分是和…

ros小问题之rosdep update time out问题

在另外一篇ROS 2边学边练系列的文章里有写碰到这种问题的解决方法(主要参考了其他博主的文章,只是针对ROS 2做了些修改调整),此处单拎出来方便查找。 在ROS 2中执行rosdep update时,报出如下错误: 其实原因…

296个地级市GDP相关数据集(2000-2023年)

01、数据简介 GDP,即国内生产总值(Gross Domestic Product),是指一个国家或地区所有常住单位在一定时期内生产活动的最终成果。 名义GDP,也称货币GDP,是指以生产物品和劳务的当年销售价格计算的全部最终产…

腾讯云4核8G服务器性能怎么样?大明白来说说

腾讯云4核8G服务器价格:轻量4核8G12M优惠价格646元15个月、CVM S5服务器4核8G配置1437元买1年送3个月。腾讯云4核8G服务器支持多少人同时在线?支持30个并发数,可容纳日均1万IP人数访问。腾讯云百科txybk.com整理4核8G服务器支持多少人同时在线…

WPF中通过自定义Panel实现控件拖动

背景 看到趋时软件的公众号文章(WPF自定义Panel:让拖拽变得更简单),发现可以不通过Drag的方法来实现ListBox控件的拖动,而是通过对控件的坐标相加减去实现控件的位移等判断,因此根据文章里面的代码,边理解边…

【随笔】Git 高级篇 -- 相对引用1(十二)

💌 所属专栏:【Git】 😀 作  者:我是夜阑的狗🐶 🚀 个人简介:一个正在努力学技术的CV工程师,专注基础和实战分享 ,欢迎咨询! 💖 欢迎大…

腾讯云4核8G12M服务器和标准型S5服务器配置价格表

2024年腾讯云4核8G服务器租用优惠价格:轻量应用服务器4核8G12M带宽646元15个月,CVM云服务器S5实例优惠价格1437.24元买一年送3个月,腾讯云4核8G服务器活动页面 txybk.com/go/txy 活动链接打开如下图: 腾讯云4核8G服务器优惠价格 轻…

2024年干货分享!11个无版权免费可商用高清素材网站分享,含图片插画图标

在当今这个信息化的时代,图片已成为我们生活与工作中不可或缺的一部分。对于设计师、自媒体人,网站设计师,以及众多创作者而言,都迫切需要高品质的图片来提升作品的吸引力。 然而,寻觅无版权、免费且高清的图片资源实…

商品购买过程中,库存的抵扣过程是怎样的?如何防止超卖?

在商品购买的过程中,库存的抵扣过程,一般操作如下: 1、select根据商品id查询商品的库存。 2、根据下单的数量,计算库存是否足够,如果存库不足则抛出库存不足的异常,如果库存足够,则减去扣除的…

全栈的自我修养 ———— react中router入门+路由懒加载

router 下载router配置view创建目录配置index.js 下载router npm install react-router-dom配置view 如下将组件倒出 const Login () > {return <div>这是登陆</div> } export default Login创建目录 配置index.js React.lazy有路由懒加载的功能&#xff0…

全猎/暴漏攻击面搜索

推荐&#xff1a; FullHunt | Expose YourAttack Surface Discover, monitor, and secure your attack surface. FullHunt delivers the best platform in the market for attack surface security.https://fullhunt.io/