Python实用脚本/算法集合, 附源代码下载

举报
Python小二 发表于 2022/08/27 00:01:07 2022/08/27
【摘要】 学习编程、学习Python最好的方式就是练习,哪怕是新手,只要不断地敲代码输出,肯定会有神效。 Python的练手项目很多,特别是Github上,建议不管新手、老司机都去看看。 这里推荐给大家两个Github上练习的项目,算法仓库-algorithms和脚本仓库-Python master。 后文会有相应源代码集打包下载,给需...

学习编程、学习Python最好的方式就是练习,哪怕是新手,只要不断地敲代码输出,肯定会有神效。

Python的练手项目很多,特别是Github上,建议不管新手、老司机都去看看。

这里推荐给大家两个Github上练习的项目,算法仓库-algorithms脚本仓库-Python master

后文会有相应源代码集打包下载,给需要的小伙伴。

algorithms算法仓库

首先来看看算法仓库-algorithms。

这里面集合众多核心算法的Python实现,比如排序、图计算、回溯、队列、流计算、堆、搜索、压缩等等。

1921827330533d9f8ab142177f0c12ca.png

该仓库支持第三方库安装,在python中进行调用,非常方便。

首先使用pip进行安装:

pip3 install algorithms
  

然后导入相关模块进行调用,比如sort模块里的merge_sort归并排序算法。


   
  1. from algorithms.sort import merge_sort
  2. if __name__ == "__main__":
  3.     my_list = [18356]
  4.     my_list = merge_sort(my_list)
  5.     print(my_list)

个人感觉这个仓库里的算法很齐全,适合做练习,小伙伴们可以试试。

所有算法脚本已经打包好,获取步骤如下:

1,点击下方公众号 数据STUDIO 名片

2,关注 数据STUDIO后,在消息后台回复 b

▲点击关注「数据STUDIO」回复b

另外,@公众号:数据STUDIO 还为大家整理和筛选了大量火爆全网的Python数据科学学习资料,全部资料按需自助免费获取!直接点击👇链接:  

火爆全网的Python数据科学手册,太有用了

复旦学子《可解释机器学习》中文版完整PDF下载!

700页的机器学习笔记火了!完整版开放下载

Python脚本仓库

另外还有一个很好的练手项目,脚本仓库-Python master。

这个项目收集了作者平时工作用到的几千个实用小脚本,作者虽然不是程序员,但他这种用代码解决问题的习惯会极大的提升效率,也会迸发出更多的创新思维。

我觉得这样的代码每个人都可以写出来,只要慢慢积累多练习就可以。

举一个简单的例子,作者写了一个创建二维码的脚本,可以自动将url转化为二维码。


   
  1. import pyqrcode
  2. import png
  3. from pyqrcode import QRCode
  4. # Text which is to be converted to QR code
  5. print("Enter text to convert")
  6. s = input(": ")
  7. # Name of QR code png file
  8. print("Enter image name to save")
  9. n = input(": ")
  10. # Adding extension as .pnf
  11. d = n + ".png"
  12. # Creating QR code
  13. url = pyqrcode.create(s)
  14. # Saving QR code as  a png file
  15. url.show()
  16. url.png(d, scale=6)

除此之外,该仓库中还有很多这样实用的脚本文件。

所有算法脚本已经打包好,获取步骤如下:

1,点击下方公众号 数据STUDIO 名片

2,关注 数据STUDIO后,在消息后台回复 d

▲点击关注「数据STUDIO」回复d

另外,@公众号:数据STUDIO 还为大家整理和筛选了大量火爆全网的Python数据科学学习资料,全部资料按需自助免费获取!直接点击👇链接:  

火爆全网的Python数据科学手册,太有用了

复旦学子《可解释机器学习》中文完整PDF下载!

700页的机器学习笔记火了!完整版开放下载

接下来,展示一些更多的代码案例,供大家参考。

从图片中截取文字


   
  1. # extract text from a img and its coordinates using the pytesseract module
  2. import cv2
  3. import pytesseract
  4. # You need to add tesseract binary dependency to system variable for this to work
  5. img = cv2.imread("img.png")
  6. # We need to convert the img into RGB format
  7. img = cv2.cvtColor(img, cv2.COLOR_BGR2RGB)
  8. hI, wI, k = img.shape
  9. print(pytesseract.image_to_string(img))
  10. boxes = pytesseract.image_to_boxes(img)
  11. for b in boxes.splitlines():
  12.     b = b.split(" ")
  13.     x, y, w, h = int(b[1]), int(b[2]), int(b[3]), int(b[4])
  14.     cv2.rectangle(img, (x, hI - y), (w, hI - h), (00255), 0.2)
  15. cv2.imshow("img", img)
  16. cv2.waitKey(0)

判断闰年


   
  1. def is_leap(year):
  2.     leap = False
  3.     if year % 4 == 0:
  4.         leap = True
  5.         if year % 100 == 0:
  6.             leap = False
  7.             if year % 400 == 0:
  8.                 leap = True
  9.     return leap
  10. year = int(input("Enter the year here: "))
  11. print(is_leap(year))

打印图片分辨率


   
  1. def jpeg_res(filename):
  2.    """"This function prints the resolution of the jpeg image file passed into it"""
  3.    # open image for reading in binary mode
  4.    with open(filename,'rb') as img_file:
  5.        # height of image (in 2 bytes) is at 164th position
  6.        img_file.seek(163)
  7.        # read the 2 bytes
  8.        a = img_file.read(2)
  9.        # calculate height
  10.        height = (a[0] << 8) + a[1]
  11.        # next 2 bytes is width
  12.        a = img_file.read(2)
  13.        # calculate width
  14.        width = (a[0] << 8) + a[1]
  15.    print("The resolution of the image is",width,"x",height)
  16. jpeg_res("img1.jpg")

排序算法-桶排序


   
  1. def bucket_sort(arr):
  2.     ''' Bucket Sort
  3.         Complexity: O(n^2)
  4.         The complexity is dominated by nextSort
  5.     '''
  6.     # The number of buckets and make buckets
  7.     num_buckets = len(arr)
  8.     buckets = [[] for bucket in range(num_buckets)]
  9.     # Assign values into bucket_sort
  10.     for value in arr:
  11.         index = value * num_buckets // (max(arr) + 1)
  12.         buckets[index].append(value)
  13.     # Sort
  14.     sorted_list = []
  15.     for i in range(num_buckets):
  16.         sorted_list.extend(next_sort(buckets[i]))
  17.     return sorted_list
  18. def next_sort(arr):
  19.     # We will use insertion sort here.
  20.     for i in range(1len(arr)):
  21.         j = i - 1
  22.         key = arr[i]
  23.         while arr[j] > key and j >= 0:
  24.             arr[j+1] = arr[j]
  25.             j = j - 1
  26.         arr[j + 1] = key
  27.     return arr

机器学习-最近邻插值法


   
  1. import math
  2. def distance(x,y):
  3.     """[summary]
  4.     HELPER-FUNCTION
  5.     calculates the (eulidean) distance between vector x and y.
  6.     Arguments:
  7.         x {[tuple]} -- [vector]
  8.         y {[tuple]} -- [vector]
  9.     """
  10.     assert len(x) == len(y), "The vector must have same length"
  11.     result = ()
  12.     sum = 0
  13.     for i in range(len(x)):
  14.         result += (x[i] -y[i],)
  15.     for component in result:
  16.         sum += component**2
  17.     return math.sqrt(sum)
  18. def nearest_neighbor(x, tSet):
  19.     """[summary]
  20.     Implements the nearest neighbor algorithm
  21.     Arguments:
  22.         x {[tupel]} -- [vector]
  23.         tSet {[dict]} -- [training set]
  24.     Returns:
  25.         [type] -- [result of the AND-function]
  26.     """
  27.     assert isinstance(x, tuple) and isinstance(tSet, dict)
  28.     current_key = ()
  29.     min_d = float('inf')
  30.     for key in tSet:
  31.         d = distance(x, key)
  32.         if d < min_d:
  33.             min_d = d
  34.             current_key = key
  35.     return tSet[current_key]

符串解码编码


   
  1. # Implement the encode and decode methods.
  2. def encode(strs):
  3.     """Encodes a list of strings to a single string.
  4.     :type strs: List[str]
  5.     :rtype: str
  6.     """
  7.     res = ''
  8.     for string in strs.split():
  9.         res += str(len(string)) + ":" + string
  10.     return res
  11. def decode(s):
  12.     """Decodes a single string to a list of strings.
  13.     :type s: str
  14.     :rtype: List[str]
  15.     """
  16.     strs = []
  17.     i = 0
  18.     while i < len(s):
  19.         index = s.find(":", i)
  20.         size = int(s[i:index])
  21.         strs.append(s[index+1: index+1+size])
  22.         i = index+1+size
  23.     return strs

直方分布


   
  1. def get_histogram(input_list: list) -> dict:
  2.     """
  3.     Get histogram representation
  4.     :param input_list: list with different and unordered values
  5.     :return histogram: dict with histogram of input_list
  6.     """
  7.     # Create dict to store histogram
  8.     histogram = {}
  9.     # For each list value, add one to the respective histogram dict position
  10.     for i in input_list:
  11.         histogram[i] = histogram.get(i, 0) + 1
  12.     return histogram

个人感觉这两个仓库里的算法和脚本很齐全,适合做练习,小伙伴们可以试试。

所有算法脚本已经打包好,获取步骤如下:

1,点击下方公众号 数据STUDIO 名片

2,关注 数据STUDIO后,在消息后台回复 b 或者 d

▲点击关注「数据STUDIO」回复或者 d

另外,@公众号:数据STUDIO 还为大家整理和筛选了大量火爆全网的Python数据科学学习资料,全部资料按需自助免费获取!直接点击👇链接:  

火爆全网的Python数据科学手册,太有用了

复旦学子《可解释机器学习》中文完整PDF下载!

700页的机器学习笔记火了!完整版开放下载

文章来源: ityard.blog.csdn.net,作者:Python小二,版权归原作者所有,如需转载,请联系作者。

原文链接:ityard.blog.csdn.net/article/details/126515809

【版权声明】本文为华为云社区用户转载文章,如果您发现本社区中有涉嫌抄袭的内容,欢迎发送邮件进行举报,并提供相关证据,一经查实,本社区将立刻删除涉嫌侵权内容,举报邮箱: cloudbbs@huaweicloud.com
  • 点赞
  • 收藏
  • 关注作者

评论(0

0/1000
抱歉,系统识别当前为高风险访问,暂不支持该操作

全部回复

上滑加载中

设置昵称

在此一键设置昵称,即可参与社区互动!

*长度不超过10个汉字或20个英文字符,设置后3个月内不可修改。

*长度不超过10个汉字或20个英文字符,设置后3个月内不可修改。