提问人:jolthedev 提问时间:2/27/2023 更新时间:2/27/2023 访问量:18
有没有更好的方法来从 DOM 中抓取单词
Is there a better method to grab words from DOM
问:
现在,我正在开发一个简单的 chrome 扩展程序。在这个阶段,我正在尝试:
- 基本上抓取 DOM 上的所有单个单词(以数组形式返回)
- 随机选择其中的 10 个。
- 检查以确保它们实际上是有效的英语单词(在后端处理)
- 遍历 DOM 以找到这些单词,然后在 DOM 上围绕该单词换行一个跨度,该跨度将包含我自己的样式(“selected-word”类)。
这是我的内容脚本:
// Function to show a container above the clicked word
// Get all text nodes in the DOM
function getTextNodes(node) {
var nodes = [];
if (node.nodeType == Node.TEXT_NODE) {
nodes.push(node);
} else {
var children = node.childNodes;
for (var i = 0, len = children.length; i < len; ++i) {
nodes.push.apply(nodes, getTextNodes(children[i]));
}
}
return nodes;
}
// Get all text content from the DOM, excluding anchor tags and links
function getTextContent() {
var textNodes = getTextNodes(document.body);
var textContent = "";
for (var i = 0, len = textNodes.length; i < len; ++i) {
var parent = textNodes[i].parentNode;
if (
parent.tagName != "A" &&
parent.tagName != "LINK" &&
parent.tagName != "SCRIPT"
) {
textContent += textNodes[i].nodeValue.trim() + " ";
}
}
return textContent.trim();
}
async function replaceInDOM(randomWords) {
for (const word of randomWords) {
const elements = document.querySelectorAll("*");
let firstInstance;
elements.forEach((element) => {
if (element.innerHTML.includes(word)) {
firstInstance = element;
return;
}
});
if (firstInstance) {
const newHTML = firstInstance.innerHTML.replace(
new RegExp(`\\b${word}\\b`, "g"),
`<span class="selected-word">${word}</span>`
);
firstInstance.innerHTML = newHTML;
}
}
}
// Get a random selection of words from the text content
async function getRandomWords(textContent, numWords) {
var words = textContent.split(/\s+/);
var randomWords = [];
var finalWords = [];
for (var i = 0; i < numWords; ++i) {
var index;
var word;
do {
index = Math.floor(Math.random() * words.length);
word = words[index].replace(/[^a-zA-Z]/g, "");
} while (!word);
randomWords.push(word);
}
chrome.runtime.sendMessage(
{
action: "cleanRandomWords",
url: "http://localhost:8000/clean/common",
randomWords: randomWords,
},
async (response) => {
finalWords = response.validWords;
alert(finalWords.length);
await replaceInDOM(finalWords);
}
);
return finalWords;
}
(async () => {
//
var textContent = getTextContent();
var randomWords = await getRandomWords(textContent, 10);
})();
我遇到的问题是:
- 有时一个词被拆分(即完整的词是“对冲”,但“他”由于某种原因被选中并有跨度包裹它)
- 并非我返回的所有随机选择的单词都在 DOM 中找到。例如,我可以将 10 个单词返回给我,但只有 5-6 个单词的跨度被包裹在它们周围。
有没有人对如何改进我的功能以便我能够更好地解决这些问题有任何建议或想法?
提前致谢!
答: 暂无答案
评论