- Python 数据结构与算法教程
- Python - 数据结构首页
- Python - 数据结构介绍
- Python - 数据结构环境
- Python - 数组
- Python - 列表
- Python - 元组
- Python - 字典
- Python - 二维数组
- Python - 矩阵
- Python - 集合
- Python - 映射
- Python - 链表
- Python - 栈
- Python - 队列
- Python - 双端队列
- Python - 高级链表
- Python - 哈希表
- Python - 二叉树
- Python - 搜索树
- Python - 堆
- Python - 图
- Python - 算法设计
- Python - 分治法
- Python - 递归
- Python - 回溯法
- Python - 排序算法
- Python - 搜索算法
- Python - 图算法
- Python - 算法分析
- Python - 大O记法
- Python - 算法分类
- Python - 均摊分析
- Python - 算法论证
- Python 数据结构与算法实用资源
- Python - 快速指南
- Python - 实用资源
- Python - 讨论
Python - 搜索算法
当您将数据存储在不同的数据结构中时,搜索是一个非常基本的需求。最简单的方法是遍历数据结构中的每个元素,并将其与您要搜索的值进行匹配。这被称为线性搜索。它效率低下,很少使用,但是为其创建程序可以让我们了解如何实现一些高级搜索算法。
线性搜索
在这种类型的搜索中,会对所有项目逐个进行顺序搜索。检查每个项目,如果找到匹配项,则返回该特定项目,否则搜索将继续到数据结构的末尾。
示例
def linear_search(values, search_for): search_at = 0 search_res = False # Match the value with each data element while search_at < len(values) and search_res is False: if values[search_at] == search_for: search_res = True else: search_at = search_at + 1 return search_res l = [64, 34, 25, 12, 22, 11, 90] print(linear_search(l, 12)) print(linear_search(l, 91))
输出
执行上述代码后,将产生以下结果:
True False
插值搜索
此搜索算法基于所需值的探测位置。为了使此算法正常工作,数据集合应已排序且均匀分布。最初,探测位置是集合中最中间项目的索引位置。如果找到匹配项,则返回该项目的索引。如果中间项大于该项,则在中间项右侧的子数组中再次计算探测位置。否则,在中间项左侧的子数组中搜索该项。此过程也在子数组上继续进行,直到子数组的大小减小到零。
示例
下面程序中指出了计算中间位置的特定公式:
def intpolsearch(values,x ): idx0 = 0 idxn = (len(values) - 1) while idx0 <= idxn and x >= values[idx0] and x <= values[idxn]: # Find the mid point mid = idx0 +\ int(((float(idxn - idx0)/( values[idxn] - values[idx0])) * ( x - values[idx0]))) # Compare the value at mid point with search value if values[mid] == x: return "Found "+str(x)+" at index "+str(mid) if values[mid] < x: idx0 = mid + 1 return "Searched element not in the list" l = [2, 6, 11, 19, 27, 31, 45, 121] print(intpolsearch(l, 2))
输出
执行上述代码后,将产生以下结果:
Found 2 at index 0
广告