欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

爬蟲Python驗(yàn)證碼識(shí)別入門

 更新時(shí)間:2021年08月27日 17:01:00   作者:李國寶  
這篇文章主要介紹了爬蟲Python驗(yàn)證碼識(shí)別,屬于入門級(jí)別的介紹,剛接觸爬蟲的朋友可以參考如下

爬蟲Python驗(yàn)證碼識(shí)別

前言:

二值化、普通降噪、8鄰域降噪
tesseract、tesserocr、PIL
參考文獻(xiàn)--代碼地址:https://github.com/liguobao/python-verify-code-ocr

 1、批量下載驗(yàn)證碼圖片

import shutil
import requests
from loguru import logger

for i in range(100):
    url = 'http://xxxx/create/validate/image'
    response = requests.get(url, stream=True)
    with open(f'./imgs/{i}.png', 'wb') as out_file:
        response.raw.decode_content = True
        shutil.copyfileobj(response.raw, out_file)
        logger.info(f"download {i}.png successfully.")
    del response
 
 

2、識(shí)別代碼看看效果

from PIL import Image
import tesserocr
img = Image.open("./imgs/98.png")
img.show()
img_l = img.convert("L")# 灰階圖
img_l.show()
verify_code1 = tesserocr.image_to_text(img)
verify_code2 = tesserocr.image_to_text(img_l)
print(f"verify_code1:{verify_code1}")
print(f"verify_code2:{verify_code2}")
 

毫無疑問,無論是原圖還是灰階圖,一無所有。

 3、折騰降噪、去干擾

Python圖片驗(yàn)證碼降噪 - 8鄰域降噪

from PIL import Image
# https://www.cnblogs.com/jhao/p/10345853.html Python圖片驗(yàn)證碼降噪 — 8鄰域降噪

 
def noise_remove_pil(image_name, k):
    """
    8鄰域降噪
    Args:
        image_name: 圖片文件命名
        k: 判斷閾值
    Returns:
    """

    def calculate_noise_count(img_obj, w, h):
        """
        計(jì)算鄰域非白色的個(gè)數(shù)
        Args:
            img_obj: img obj
            w: width
            h: height
        Returns:
            count (int)
        """
        count = 0
        width, height = img_obj.size
        for _w_ in [w - 1, w, w + 1]:
            for _h_ in [h - 1, h, h + 1]:
                if _w_ > width - 1:
                    continue
                if _h_ > height - 1:
                    continue
                if _w_ == w and _h_ == h:
                    continue
                if img_obj.getpixel((_w_, _h_)) < 230:  # 這里因?yàn)槭腔叶葓D像,設(shè)置小于230為非白色
                    count += 1
        return count

    img = Image.open(image_name)
    # 灰度
    gray_img = img.convert('L')

    w, h = gray_img.size
    for _w in range(w):
        for _h in range(h):
            if _w == 0 or _h == 0:
                gray_img.putpixel((_w, _h), 255)
                continue
            # 計(jì)算鄰域非白色的個(gè)數(shù)
            pixel = gray_img.getpixel((_w, _h))
            if pixel == 255:
                continue

            if calculate_noise_count(gray_img, _w, _h) < k:
                gray_img.putpixel((_w, _h), 255)
    return gray_img


if __name__ == '__main__':
    image = noise_remove_pil("./imgs/1.png", 4)
    image.show()
 

看下圖效果:

這樣差不多了,不過還可以提升

提升新思路:

這邊的干擾線是從某個(gè)點(diǎn)發(fā)出來的紅色線條,

其實(shí)我只需要把紅色的像素點(diǎn)都干掉,這個(gè)線條也會(huì)被去掉。

from PIL import Image
import tesserocr
img = Image.open("./imgs/98.png")
img.show()

# 嘗試去掉紅像素點(diǎn)
w, h = img.size
for _w in range(w):
    for _h in range(h):
        o_pixel = img.getpixel((_w, _h))
        if o_pixel == (255, 0, 0):
            img.putpixel((_w, _h), (255, 255, 255))
img.show()

img_l = img.convert("L")
# img_l.show()
verify_code1 = tesserocr.image_to_text(img)
verify_code2 = tesserocr.image_to_text(img_l)
print(f"verify_code1:{verify_code1}")
print(f"verify_code2:{verify_code2}")

看起來OK,上面還有零星的藍(lán)色像素掉,也可以用同樣的方法一起去掉。

甚至OCR都直接出效果了
好了,完結(jié)撒花。
不過,后面發(fā)現(xiàn),有些紅色線段和藍(lán)色點(diǎn),是和驗(yàn)證碼重合的。
這個(gè)時(shí)候,如果直接填成白色,就容易把字母切開,導(dǎo)致識(shí)別效果變差。
當(dāng)前點(diǎn)是紅色或者藍(lán)色,判斷周圍點(diǎn)是不是超過兩個(gè)像素點(diǎn)是黑色。
是,填充為黑色。
否,填充成白色。

最終完整代碼:

from PIL import Image
import tesserocr
from loguru import logger


class VerfyCodeOCR():
    def __init__(self) -> None:
        pass

    def ocr(self, img):
        """ 驗(yàn)證碼OCR

        Args:
            img (img): imgObject/imgPath

        Returns:
            [string]: 識(shí)別結(jié)果
        """
        img_obj = Image.open(img) if type(img) == str else img
        self._remove_pil(img_obj)
        verify_code = tesserocr.image_to_text(img_obj)
        return verify_code.replace("\n", "").strip()

    def _get_p_black_count(self, img: Image, _w: int, _h: int):
        """ 獲取當(dāng)前位置周圍像素點(diǎn)中黑色元素的個(gè)數(shù)

        Args:
            img (img): 圖像信息
            _w (int): w坐標(biāo)
            _h (int): h坐標(biāo)

        Returns:
            int: 個(gè)數(shù)
        """
        w, h = img.size
        p_round_items = []
        # 超過了橫縱坐標(biāo)
        if _w == 0 or _w == w-1 or 0 == _h or _h == h-1:
            return 0
        p_round_items = [img.getpixel(
            (_w, _h-1)), img.getpixel((_w, _h+1)), img.getpixel((_w-1, _h)), img.getpixel((_w+1, _h))]
        p_black_count = 0
        for p_item in p_round_items:
            if p_item == (0, 0, 0):
                p_black_count = p_black_count+1
        return p_black_count

    def _remove_pil(self, img: Image):
        """清理干擾識(shí)別的線條和噪點(diǎn)

        Args:
            img (img): 圖像對象

        Returns:
            [img]: 被清理過的圖像對象
        """
        w, h = img.size
        for _w in range(w):
            for _h in range(h):
                o_pixel = img.getpixel((_w, _h))
                # 當(dāng)前像素點(diǎn)是紅色(線段) 或者 綠色(噪點(diǎn))
                if o_pixel == (255, 0, 0) or o_pixel == (0, 0, 255):
                    # 周圍黑色數(shù)量大于2,則把當(dāng)前像素點(diǎn)填成黑色;否則用白色覆蓋
                    p_black_count = self._get_p_black_count(img, _w, _h)
                    if p_black_count >= 2:
                        img.putpixel((_w, _h), (0, 0, 0))
                    else:
                        img.putpixel((_w, _h), (255, 255, 255))

        logger.info(f"_remove_pil finish.")
        # img.show()
        return img


if __name__ == '__main__':
    verfyCodeOCR = VerfyCodeOCR()
    img_path = "./imgs/51.png"
    img= Image.open(img_path)
    img.show()
    ocr_result = verfyCodeOCR.ocr(img)
    img.show()
    logger.info(ocr_result)


到此這篇關(guān)于爬蟲Python驗(yàn)證碼識(shí)別入門的文章就介紹到這了,更多相關(guān)Python驗(yàn)證碼識(shí)別內(nèi)容請搜索腳本之家以前的文章或繼續(xù)瀏覽下面的相關(guān)文章希望大家以后多多支持腳本之家!

相關(guān)文章

  • python對比兩個(gè)字典dict的差異詳解

    python對比兩個(gè)字典dict的差異詳解

    這篇文章主要為大家詳細(xì)介紹了python?如何對比兩個(gè)字典dict的不同差異,文中的示例代碼簡潔易懂,具有一定的學(xué)習(xí)價(jià)值,感興趣的可以了解一下
    2023-05-05
  • Python中的字典到底是有序的嗎

    Python中的字典到底是有序的嗎

    很多人會(huì)問Python中的字典到底是有序的嗎,本文就詳細(xì)的來介紹一下,感興趣的可以了解一下
    2021-09-09
  • tensorboard顯示空白的解決

    tensorboard顯示空白的解決

    今天小編就為大家分享一篇tensorboard顯示空白的解決,具有很好的參考價(jià)值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2020-02-02
  • Python時(shí)間模塊datetime、time、calendar的使用方法

    Python時(shí)間模塊datetime、time、calendar的使用方法

    這篇文章主要介紹了Python時(shí)間模塊的使用方法,主要包括三大模塊datetime、time、calendar,感興趣的小伙伴們可以參考一下
    2016-01-01
  • Python 常用string函數(shù)詳解

    Python 常用string函數(shù)詳解

    下面小編就為大家?guī)硪黄狿ython 常用string函數(shù)詳解。小編覺得挺不錯(cuò)的,現(xiàn)在就分享給大家,也給大家做個(gè)參考。一起跟隨小編過來看看吧
    2016-05-05
  • python生成器和yield關(guān)鍵字(完整代碼)

    python生成器和yield關(guān)鍵字(完整代碼)

    這篇文章主要介紹了python生成器和yield關(guān)鍵字,文章主要附上完整的代碼及些許的解釋說明,需要的小伙伴可以參考一下
    2022-01-01
  • python簡單實(shí)現(xiàn)整數(shù)反轉(zhuǎn)的畫解算法

    python簡單實(shí)現(xiàn)整數(shù)反轉(zhuǎn)的畫解算法

    這篇文章主要介紹了python簡單實(shí)現(xiàn)整數(shù)反轉(zhuǎn)采用了一個(gè)有趣的畫解算法,通過示例的題目描述來對問題分析進(jìn)行方案的解決,有需要的朋友可以參考下
    2021-08-08
  • 四步教你學(xué)會(huì)打包一個(gè)新的Python模塊

    四步教你學(xué)會(huì)打包一個(gè)新的Python模塊

    當(dāng)你安裝應(yīng)用程序時(shí),通常是安裝一個(gè)軟件包,其中包含應(yīng)用程序的可執(zhí)行代碼和重要文件。在?Linux上,軟件一般被打包成RPM或DEB等格式,然而幾乎每天都有新的Python模塊發(fā)布,因此你很容易遇到一個(gè)尚未打包的Python模塊。本文教你四步打包一個(gè)新的Python模塊
    2022-09-09
  • PyTorch張量拼接、切分、索引的實(shí)現(xiàn)

    PyTorch張量拼接、切分、索引的實(shí)現(xiàn)

    在學(xué)習(xí)深度學(xué)習(xí)的過程中,遇到的第一個(gè)概念就是張量,張量在pytorch中的計(jì)算十分重要,本文主要介紹了PyTorch張量拼接、切分、索引的實(shí)現(xiàn),具有一定的參考價(jià)值,感興趣的可以了解一下
    2024-03-03
  • OpenCV半小時(shí)掌握基本操作之圖像處理

    OpenCV半小時(shí)掌握基本操作之圖像處理

    這篇文章主要介紹了OpenCV基本操作之圖像處理,本文給大家介紹的非常詳細(xì),對大家的學(xué)習(xí)或工作具有一定的參考借鑒價(jià)值,需要的朋友可以參考下
    2021-09-09

最新評論