我正在尝试编写一个 Thunderbird 扩展程序,它可以让您撰写消息,但它会在发送之前处理消息文本。所以我需要访问电子邮件正文的纯文本内容。
这是我到目前为止所拥有的,就像 Extension Developer Javascript 控制台中的一些测试代码一样。
var composer = document.getElementById('msgcomposeWindow');
var frame = composer.getElementsByAttribute('id', 'content-frame').item(0);
if(frame.editortype != 'textmail') {
print('Sorry, you are not composing in plain text.');
return;
}
var doc = frame.contentDocument.documentElement;
// XXX: This does not work because newlines are not in the string!
var text = doc.textContent;
print('Message content:');
print(text);
print('');
// Do a TreeWalker through the composition window DOM instead.
var body = doc.getElementsByTagName('body').item(0);
var acceptAllNodes = function(node) { return NodeFilter.FILTER_ACCEPT; };
var walker = document.createTreeWalker(body, NodeFilter.SHOW_TEXT | NodeFilter.SHOW_ELEMENT, { acceptNode: acceptAllNodes }, false);
var lines = [];
var justDidNewline = false;
while(walker.nextNode()) {
if(walker.currentNode.nodeName == '#text') {
lines.push(walker.currentNode.nodeValue);
justDidNewline = false;
}
else if(walker.currentNode.nodeName == 'BR') {
if(justDidNewline)
// This indicates back-to-back newlines in the message text.
lines.push('');
justDidNewline = true;
}
}
for(a in lines) {
print(a + ': ' + lines[a]);
}
对于我是否走在正确的轨道上,我将不胜感激。我还有一些具体的问题:
doc.textContent
真的没有换行符吗?这是多么愚蠢?我希望这只是 Javascript 控制台的一个错误,但我怀疑不是。- 树行者正确吗?我第一次尝试
NodeFilter.SHOW_TEXT
但它没有遍历到<SPAN>
包含回复中引用的材料的 s。同样,每个节点似乎都很有趣FILTER_ACCEPT
,然后稍后手动选择它,但我遇到了同样的问题,如果我拒绝了一个SPAN
节点,walker 就不会走进去。 - 连续
<BR>
的 s 打破了幼稚的实现,因为它们之间没有#text
节点。所以我手动检测它们并在我的阵列上推送空行。真的有必要做那么多手动工作来访问消息内容吗?