>백엔드 개발 >파이썬 튜토리얼 >Python의 HTML 콘텐츠에서 텍스트 추출: `HTMLParser`를 사용한 간단한 솔루션

Python의 HTML 콘텐츠에서 텍스트 추출: `HTMLParser`를 사용한 간단한 솔루션

Patricia Arquette
Patricia Arquette원래의
2024-12-10 11:04:16788검색

Extracting Text from HTML Content in Python: A Simple Solution with `HTMLParser`

소개

HTML 데이터로 작업할 때 태그를 정리하고 일반 텍스트만 유지해야 하는 경우가 많습니다. 데이터 분석, 자동화 또는 단순히 콘텐츠를 읽을 수 있게 만드는 것이든 이 작업은 개발자에게 일반적입니다.

이 기사에서는 내장 Python 모듈인 HTMLParser를 사용하여 HTML에서 일반 텍스트를 추출하는 간단한 Python 클래스를 만드는 방법을 보여 드리겠습니다.


HTMLParser를 사용하는 이유는 무엇입니까?

HTMLParser는 HTML 문서를 구문 분석하고 조작할 수 있는 경량의 내장 Python 모듈입니다. BeautifulSoup과 같은 외부 라이브러리와 달리 가볍고 HTML 태그 정리와 같은 간단한 작업에 이상적입니다.


해결책: 간단한 Python 클래스

1단계: HTMLTextExtractor 클래스 생성

from html.parser import HTMLParser

class HTMLTextExtractor(HTMLParser):
    """Class for extracting plain text from HTML content."""

    def __init__(self):
        super().__init__()
        self.text = []

    def handle_data(self, data):
        self.text.append(data.strip())

    def get_text(self):
        return ''.join(self.text)

이 클래스는 세 가지 주요 작업을 수행합니다.

  1. 추출된 텍스트를 저장하기 위해 self.text 목록을 초기화합니다.
  2. handle_data 메소드를 사용하여 HTML 태그 사이에 있는 모든 일반 텍스트를 캡처합니다.
  3. get_text 메소드를 사용하여 모든 텍스트 조각을 결합합니다.

2단계: 클래스를 사용하여 텍스트 추출

클래스를 사용하여 HTML을 정리하는 방법은 다음과 같습니다.

raw_description = """
<div>
    <h1>Welcome to our website!</h1>
    <p>We offer <strong>exceptional services</strong> for our customers.</p>
    <p>Contact us at: <a href="mailto:contact@example.com">contact@example.com</a></p>
</div>
"""

extractor = HTMLTextExtractor()
extractor.feed(raw_description)
description = extractor.get_text()

print(description)

출력:

Welcome to our website! We offer exceptional services for our customers.Contact us at: contact@example.com

속성에 대한 지원 추가

태그의 링크와 같은 추가 정보를 캡처하려면 향상된 버전의 수업을 이용하세요.

class HTMLTextExtractor(HTMLParser):
    """Class for extracting plain text and links from HTML content."""

    def __init__(self):
        super().__init__()
        self.text = []

    def handle_data(self, data):
        self.text.append(data.strip())

    def handle_starttag(self, tag, attrs):
        if tag == 'a':
            for attr, value in attrs:
                if attr == 'href':
                    self.text.append(f" (link: {value})")

    def get_text(self):
        return ''.join(self.text)

향상된 출력:

Welcome to our website!We offer exceptional services for our customers.Contact us at: contact@example.com (link: mailto:contact@example.com)

## Use Cases

- **SEO**: Clean HTML tags to analyze the plain text content of a webpage.
- **Emails**: Transform HTML emails into plain text for basic email clients.
- **Scraping**: Extract important data from web pages for analysis or storage.
- **Automated Reports**: Simplify API responses containing HTML into readable text.

이 접근 방식의 장점

  • 경량: 외부 라이브러리가 필요하지 않습니다. Python의 기본 HTMLParser를 기반으로 구축되었습니다.
  • 사용 용이성: 단순하고 재사용 가능한 클래스에 로직을 캡슐화합니다.
  • 사용자 정의 가능: 속성이나 추가 태그 데이터와 같은 특정 정보를 캡처하도록 기능을 쉽게 확장합니다.

## Limitations and Alternatives

While `HTMLParser` is simple and efficient, it has some limitations:

- **Complex HTML**: It may struggle with very complex or poorly formatted HTML documents.
- **Limited Features**: It doesn't provide advanced parsing features like CSS selectors or DOM tree manipulation.

### Alternatives

If you need more robust features, consider using these libraries:

- **BeautifulSoup**: Excellent for complex HTML parsing and manipulation.
- **lxml**: Known for its speed and support for both XML and HTML parsing.

결론

이 솔루션을 사용하면 단 몇 줄의 코드만으로 HTML에서 일반 텍스트를 쉽게 추출할 수 있습니다. 개인 프로젝트를 진행하든 전문적인 작업을 수행하든 이 접근 방식은 간단한 HTML 정리 및 분석에 적합합니다.

사용 사례에 더 복잡하거나 잘못된 HTML이 포함된 경우 BeautifulSoup 또는 lxml과 같은 라이브러리를 사용하여 기능을 강화하는 것이 좋습니다.

이 코드를 프로젝트에 사용해 보고 경험을 공유해 보세요. 즐거운 코딩하세요! ?

위 내용은 Python의 HTML 콘텐츠에서 텍스트 추출: `HTMLParser`를 사용한 간단한 솔루션의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.