15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181 | class HTMLDocling(DigitizationBase):
"""
HTMLDocling class for processing HTML content from files or URLs to markdown.
"""
def __init__(self, file_path: Union[str, Path]):
self.is_url = isinstance(file_path, str) and self._is_valid_url(file_path)
if self.is_url:
# Create a filename from the URL
url_path = urlparse(file_path).path
url_filename = (
unquote(Path(url_path).name)
if url_path and Path(url_path).name
else urlparse(file_path).netloc
)
self.html_filename = (
f"{url_filename}.html"
if not url_filename.endswith(".html")
else url_filename
)
# Download and save the HTML content
self.html_path = PROJECT_CONFIG.data.input_dir / self.html_filename
self._download_and_save_html(file_path)
# Use the saved file path as the source
file_path = self.html_path
super().__init__(
file_path=file_path,
supported_formats=["html", "htm"],
)
self.source = file_path
def _download_and_save_html(self, url: str) -> None:
"""
Download HTML content from URL and save to file.
Args:
url: URL to download from
"""
try:
headers = {
"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36"
}
response = requests.get(url, headers=headers, timeout=30)
response.raise_for_status()
# Ensure input directory exists
PROJECT_CONFIG.data.input_dir.mkdir(parents=True, exist_ok=True)
# Save the HTML content
self.html_path.write_text(response.text, encoding="utf-8")
logger.info(f"Saved HTML content to {self.html_path}")
except Exception as e:
raise Exception(f"Error downloading URL {url}: {str(e)}")
@staticmethod
def _is_valid_url(url: str) -> bool:
try:
result = urlparse(url)
return all([result.scheme, result.netloc])
except Exception as e: # noqa
logger.exception(f"Error validating URL: {str(e)}")
return False
def validate_input(self, input_data: Union[str, Path]) -> bool:
try:
if isinstance(input_data, str) and self._is_valid_url(input_data):
return True
path = Path(input_data)
return path.exists() and path.suffix.lower() in [".html", ".htm"]
except Exception as e:
logger.exception(f"Error validating input: {str(e)}")
return False
def clean_html(self, html_content: str) -> str:
"""
Clean HTML content by removing styles, scripts, and unnecessary elements.
"""
# Parse HTML with BeautifulSoup
soup = BeautifulSoup(html_content, "html.parser")
# Remove style tags and their contents
for style in soup.find_all("style"):
style.decompose()
# Remove script tags and their contents
for script in soup.find_all("script"):
script.decompose()
# Remove all style attributes
for tag in soup.find_all(True):
if "style" in tag.attrs:
del tag["style"]
# Remove class and id attributes
for tag in soup.find_all(True):
if "class" in tag.attrs:
del tag["class"]
if "id" in tag.attrs:
del tag["id"]
# Convert back to string
cleaned_html = str(soup)
# Remove any remaining CSS-like content
cleaned_html = re.sub(r"<style[^>]*>[\s\S]*?</style>", "", cleaned_html)
cleaned_html = re.sub(r"/\*[\s\S]*?\*/", "", cleaned_html)
cleaned_html = re.sub(r"{\s*[^}]*}", "", cleaned_html)
return cleaned_html
def export_markdown(self, content: str) -> Path:
markdown_path = self.output_dir / f"{self.filename}.md"
markdown_path.write_text(content, encoding="utf-8")
return markdown_path
def get_html_content(self) -> str:
try:
return Path(self.source).read_text(encoding="utf-8")
except UnicodeDecodeError:
return Path(self.source).read_text(encoding="latin-1")
def process(self) -> Path:
"""
Process HTML document and generate markdown output.
"""
if not self.validate_input(self.source):
raise ValueError(
f"Invalid input: {self.source}. Expected valid HTML file or URL"
)
try:
# Get HTML content
html_content = self.get_html_content()
# Clean the HTML content
cleaned_html = self.clean_html(html_content)
# Convert cleaned HTML to markdown
markdown_content = markdownify(
cleaned_html, heading_style="ATX", bullets="-", autolinks=True
)
# Additional cleanup of the markdown content
# Remove empty lines between list items
markdown_content = re.sub(r"\n\n-", "\n-", markdown_content)
# Remove multiple consecutive empty lines
markdown_content = re.sub(r"\n{3,}", "\n\n", markdown_content)
# Remove any remaining CSS-like content
markdown_content = re.sub(r"(\{|\}|\[|\])[^\n]*\n", "", markdown_content)
# Save markdown content to file
markdown_path = self.export_markdown(markdown_content)
return markdown_path
except FileNotFoundError:
raise FileNotFoundError(f"HTML file not found: {self.source}")
except Exception as e:
raise Exception(f"Error processing HTML: {str(e)}")
def __repr__(self) -> str:
source_type = "URL" if self.is_url else "file"
return f"HTMLDocling({source_type}='{self.source}')"
|