用于innerHTML
替换电子邮件-不,这会破坏页面,特别是因为删除了事件侦听器并且还替换了属性。
递归循环遍历所有节点:
- 以相反的顺序循环,以防止在修改 DOM 时发生冲突。
- 对于每个项目,检查它的
nodeType
价值。
- 如果
.nodeType === 1
(元素),再次调用该函数(递归)。
- 如果
.nodeType === 3
(文本节点):
- 使用正则表达式和
exec
方法来查找一个电子邮件地址。使用结果的.index
属性可以知道电子邮件地址的起始位置,并result[0].length
知道地址的长度。
- 使用节点的
splitText
方法将文本节点分成三部分。
- 创建一个
<a>
元素。
- 将电子邮件的文本节点(上一个文本节点的第二个)附加到此锚点。它会自动从文档中删除。
- 在第三个节点之前插入此链接。
演示
不是 chrome 扩展,但它显示了 chrome 扩展的行为方式:http: //jsfiddle.net/ckw89/
Chrome 扩展程序
(正则表达式基于MongoEngine 的EmailField
模式):
script.js
// Initiate recursion
wrapLink(document.body);
function wrapLink(elem) { // elem must be an element node
var nodes = elem.childNodes
, i = nodes.length
, regexp = /([-!\x23$%&'*+\/=?^_`{}|~0-9A-Z]+(\.[-!\x23$%&'*+\/=?^_`{}|~0-9A-Z]+)*|^"([\x01-\x08\x0b\x0c\x0e-\x1f!\x23-\\[\\]-\x7f]|\\[\x01-011\x0b\x0c\x0e-\x7f])*")@(?:[A-Z0-9](?:[A-Z0-9-]{0,61}[A-Z0-9])?\.)+[A-Z]{2,6}/i
, node, emailNode, a, result;
while (node = nodes[--i]) {
if (node.nodeType === 1) {
// Skip anchor tags, nested anchors make no sense
if (node.nodeName.toUpperCase() !== 'A')
wrapLink(node);
} else if (node.nodeType === 3) {
// 1: Please note that the regexp has NO global flag,
// and that `node.textContent` shrinks when an address is found
while (result = regexp.exec(node.textContent)) {
// 2: Contact <SPLIT> me@example.com for details
node = node.splitText(result.index);
// 2: Contact <SPLIT>me@example.com<SPLIT> for details
node = node.splitText(result[0].length);
// me@example.com
emailNode = node.previousSibling
// 3. Create link
a = document.createElement('a');
a.href = 'mailto:' + result[0];
// 4: Append emailNode
a.appendChild(emailNode);
// 5: Insert before
elem.insertBefore(a, node);
}
}
}
}
当用作内容脚本时,此脚本将立即生效,因为它与页面的唯一交互是 DOM。为了完整起见,这是manifest.json
文件的内容:
{
"name": "Turns email addresses in `mailto:`s",
"version": "1",
"version_version": 2,
"content_scripts": [{
"matches": ["*://*/*"],
"js": ["script.js"]
}]
}
业绩通知
当前脚本替换了活动文档中的所有节点。考虑在操作之前将根节点(例如<body>
)移动到文档片段。