1
2
3
4
5
6
7
8
9
10
11
12
13
14
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
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
use ego_tree::NodeRef;
use html5ever::{local_name, namespace_url, ns, QualName};
use std::collections::HashSet;
use url::Url;
mod element_node;
mod html_node;
use crate::parser::ParseResult;
use element_node::Node;
use html_node::Html;
pub const DEFAULT_DESC_LENGTH: usize = 256;
fn normalize_href(url: &str, href: &str) -> Option<String> {
if let Ok(url) = Url::parse(url) {
if href.starts_with("//") {
if let Ok(url) = Url::parse(&format!("{}:{}", "https", href)) {
return Some(url.to_string());
}
} else if href.starts_with("http://") || href.starts_with("https://") {
if let Ok(url) = Url::parse(href) {
let mut url = url;
if url.scheme() == "http" {
url.set_scheme("https").expect("Unable to set HTTPS scheme");
}
return Some(url.to_string());
}
} else {
if let Ok(url) = url.join(href) {
return Some(url.to_string());
}
}
}
log::debug!("Unable to normalize href: {} - {}", url.to_string(), href);
None
}
fn filter_p_nodes(root: &NodeRef<Node>, p_list: &mut Vec<String>) {
for child in root.children() {
let node = child.value();
if node.is_element() {
let element = node.as_element().unwrap();
if element.name().eq_ignore_ascii_case("p") {
let mut p_content = String::from("");
let mut links = HashSet::new();
filter_text_nodes(&child, &mut p_content, &mut links);
if !p_content.is_empty() {
p_list.push(p_content);
}
}
}
if child.has_children() {
filter_p_nodes(&child, p_list);
}
}
}
fn filter_text_nodes(root: &NodeRef<Node>, doc: &mut String, links: &mut HashSet<String>) {
let ignore_list: HashSet<String> = HashSet::from([
"head".into(),
"sup".into(),
"header".into(),
"footer".into(),
"nav".into(),
"label".into(),
"textarea".into(),
"input".into(),
"script".into(),
"noscript".into(),
"style".into(),
]);
let href_key = QualName::new(None, ns!(), local_name!("href"));
let role_key = QualName::new(None, ns!(), local_name!("role"));
let rel_key = QualName::new(None, ns!(), local_name!("rel"));
let mut noindex_skip = false;
for child in root.children() {
if noindex_skip {
continue;
}
let node = child.value();
if node.is_comment() {
if let Some(comment) = node.as_comment() {
if comment.contains("htdig_noindex") {
noindex_skip = true;
} else if comment.contains("/htdig_noindex") {
noindex_skip = false;
}
}
} else if node.is_text() {
doc.push_str(node.as_text().unwrap());
} else if node.is_element() {
let element = node.as_element().unwrap();
if ignore_list.contains(&element.name()) {
continue;
}
if element.attrs.contains_key(&role_key)
&& (element.attrs.get(&role_key).unwrap().to_string() == *"navigation"
|| element.attrs.get(&role_key).unwrap().to_string() == *"contentinfo"
|| element.attrs.get(&role_key).unwrap().to_string() == *"button")
{
continue;
}
if element.name() == "a" && element.attrs.contains_key(&href_key) {
let href = element.attrs.get(&href_key).unwrap().to_string();
let rel = if let Some(rel) = element.attrs.get(&rel_key) {
rel.to_string().to_lowercase()
} else {
"follow".to_string()
};
if !href.starts_with('#')
&& rel != "nofollow" && rel != "external"
{
links.insert(href.to_string());
}
} else if element.name() == "br" && !doc.ends_with(' ') {
doc.push(' ');
}
if child.has_children() {
filter_text_nodes(&child, doc, links);
if !doc.ends_with(' ') {
doc.push(' ');
}
}
}
}
}
pub fn process_canonical_url(url: &str, doc: &str) -> String {
let parsed = Html::parse(doc);
let link_tags = parsed.link_tags();
match link_tags.get("canonical").map(|x| Url::parse(x)) {
Some(Ok(mut parsed)) => {
parsed.set_fragment(None);
parsed.to_string()
}
_ => url.to_string(),
}
}
pub fn html_to_text(url: &str, doc: &str) -> ParseResult {
let parsed = Html::parse(doc);
let root = parsed.tree.root();
let meta = parsed.meta();
let link_tags = parsed.link_tags();
let title = parsed.title();
let mut content = String::from("");
let mut links = HashSet::new();
filter_text_nodes(&root, &mut content, &mut links);
content = content.trim().to_string();
links = links
.into_iter()
.flat_map(|href| normalize_href(url, &href))
.collect();
let mut description = if meta.contains_key("description") {
meta.get("description").unwrap().to_string()
} else if meta.contains_key("og:description") {
meta.get("og:description").unwrap().to_string()
} else {
"".to_string()
};
if description.is_empty() && !content.is_empty() {
let mut p_list = Vec::new();
filter_p_nodes(&root, &mut p_list);
let text = p_list.iter().find(|p_content| !p_content.trim().is_empty());
if text.is_some() && !text.unwrap().is_empty() {
description = text.unwrap_or(&String::from("")).trim().to_owned()
} else if !content.is_empty() {
description = content
.split(' ')
.into_iter()
.take(DEFAULT_DESC_LENGTH)
.collect::<Vec<&str>>()
.join(" ")
}
}
let canonical_url = match link_tags.get("canonical").map(|x| Url::parse(x)) {
Some(Ok(mut parsed)) => {
parsed.set_fragment(None);
Some(parsed.to_string())
}
_ => Some(url.to_string()),
};
ParseResult::builder()
.canonical_url(canonical_url)
.content(content)
.description(description)
.links(links)
.meta(meta)
.title(title)
.build()
}
#[cfg(test)]
mod test {
use super::{html_to_text, normalize_href};
use std::time::SystemTime;
#[test]
fn test_normalize_href() {
let url = "https://example.com";
assert_eq!(
normalize_href(url, "http://foo.com"),
Some("https://foo.com/".into())
);
assert_eq!(
normalize_href(url, "https://foo.com"),
Some("https://foo.com/".into())
);
assert_eq!(
normalize_href(url, "//foo.com"),
Some("https://foo.com/".into())
);
assert_eq!(
normalize_href(url, "/foo.html"),
Some("https://example.com/foo.html".into())
);
assert_eq!(
normalize_href(url, "/foo"),
Some("https://example.com/foo".into())
);
assert_eq!(
normalize_href(url, "foo.html"),
Some("https://example.com/foo.html".into())
);
}
#[test]
fn test_html_to_text() {
let html = include_str!("../../../../fixtures/html/raw.html");
let doc = html_to_text("https://oldschool.runescape.wiki", html);
assert_eq!(doc.title, Some("Old School RuneScape Wiki".to_string()));
assert_eq!(doc.meta.len(), 9);
assert!(!doc.content.is_empty());
assert_eq!(doc.links.len(), 58);
println!("{:?}", doc.links);
}
#[test]
fn test_html_to_text_large() {
let start = SystemTime::now();
let html = include_str!("../../../../fixtures/html/wikipedia_entry.html");
let doc = html_to_text("https://example.com", html);
let wall_time = start.elapsed().expect("elapsed");
println!("wall_time: {}ms", wall_time.as_millis());
assert_eq!(
doc.title,
Some("Rust (programming language) - Wikipedia".to_string())
);
}
#[test]
fn test_description_extraction() {
let html = include_str!("../../../../fixtures/html/wikipedia_entry.html");
let doc = html_to_text("https://example.com", html);
assert_eq!(
doc.title.unwrap(),
"Rust (programming language) - Wikipedia"
);
assert_eq!(doc.description, "Rust is a multi-paradigm , general-purpose programming language designed for performance and safety, especially safe concurrency . Rust is syntactically similar to C++ , but can guarantee memory safety by using a borrow checker to validate references . Rust achieves memory safety without garbage collection , and reference counting is optional. Rust has been called a systems programming language, and in addition to high-level features such as functional programming it also offers mechanisms for low-level memory management .");
let html = include_str!("../../../../fixtures/html/personal_blog.html");
let doc = html_to_text("https://example.com", html);
assert_eq!(doc.description, "2020 July 15 - San Francisco | 855 words");
}
#[test]
fn test_description_extraction_yc() {
let html = include_str!("../../../../fixtures/html/summary_test.html");
let doc = html_to_text("https://example.com", html);
assert_eq!(doc.title.unwrap(), "Why YC");
assert_eq!(doc.description, "March 2006, rev August 2009 Yesterday one of the founders we funded asked me why we started Y Combinator . Or more precisely, he asked if we'd started YC mainly for fun. Kind of, but not quite. It is enormously fun to be able to work with Rtm and Trevor again. I missed that after we sold Viaweb, and for all the years after I always had a background process running, looking for something we could do together. There is definitely an aspect of a band reunion to Y Combinator. Every couple days I slip and call it \"Viaweb.\" Viaweb we started very explicitly to make money. I was sick of living from one freelance project to the next, and decided to just work as hard as I could till I'd made enough to solve the problem once and for all. Viaweb was sometimes fun, but it wasn't designed for fun, and mostly it wasn't. I'd be surprised if any startup is. All startups are mostly schleps. The real reason we started Y Combinator is neither selfish nor virtuous. We didn't start it mainly to make money; we have no idea what our average returns might be, and won't know for years. Nor did we start YC mainly to help out young would-be founders, though we do like the idea, and comfort ourselves occasionally with the thought that if all our investments tank, we will thus have been doing something unselfish. (It's oddly nondeterministic.) The");
}
}