javascript – Chrome扩展程序,用于在显示文本之前替换文本,网页和Facebook帖子

我正在开发一个Chrome扩展程序,用于替换网页文本中指定的字符串或RegEx.

它整体运作良好,但有两个我想解决的问题:

(1)在文本替换发生之前显示原始的,未更改的网页文本.

(2)文本替换不会影响滚动到页面底部后动态加载的Facebook帖子.

这是代码,改编自https://stackoverflow.com/a/6012345#6012345,略有变化.

// manifest.json

{
    "manifest_version": 2,
    "name": "Replace Text",
    "version": "1.0", 

    "content_scripts": [ {
        "js": [ "jquery.min.js", "replace.js" ],
        "matches": [ "<all_urls>" ],
        "run_at": "document_end"
    } ]
}


// replace.js

jQuery.fn.textWalk = function( fn ) {
    this.contents().each( jwalk );

    function jwalk() {
        var nn = this.nodeName.toLowerCase();
        if( nn === '#text') {
            fn.call( this );
        } else if( this.nodeType === 1 && this.childNodes && this.childNodes[0] && nn !== 'script' && nn !== 'textarea' ) {
            $(this).contents().each( jwalk );
        }
    }
    return this;
};

$('body').textWalk(function() {
    this.data = this.data.replace('This Text', 'That Text');
    this.data = this.data.replace(/[Rr]eplace\s[Ss]ome\s[Tt]ext/g, 'with other text');  
});

我在网上找到了一些部分答案,但无法使它们正常工作.

例如,一个建议的解决方案是将“run_at”:“document_end”更改为“run_at”:“document_start”.这在构造DOM之前运行内容脚本,因此理论上它应该在显示任何内容之前进行文本替换.但在我的情况下,它导致扩展程序完全停止替换文本.

最佳答案 一个可行的替代方案是通过
MutationObserver监听DOM更改并动态更改TextNodes(或其他任何内容)的内容.从技术上讲,这不会在呈现任何内容之前发生,但它应该足够接近用户不要注意(除非您做出的更改很大).

另请参阅我对similar question的回答.

示例代码

(这仍然需要扭曲,例如处理动态节点更新.)

content.js:

// Modify the content somehow...
var doFilter = function(textNode) {
    textNode.data = textNode.data + "<br />" + textNode.data;
}

// Create a MutationObserver to handle events
// (e.g. filtering TextNode elements)
var observer = new MutationObserver(function(mutations) {
    mutations.forEach(function(mutation) {
        if (mutation.addedNodes) {
            [].slice.call(mutation.addedNodes).forEach(function(node) {
                if (node.nodeName.toLowerCase() == "#text") {
                    doFilter(node);
                }
            });
        }
    });
});

// Start observing "childList" events in document and its descendants
observer.observe(document, {
    childList: true,
    subtree:   true
});

(以上代码用于侦听添加的节点.您可能希望观察者监听body中的characterData和childList更改及其后代以“捕获”动态加载/更改的内容.)

manifest.json的:

...
"content_scripts": [
    {
        "matches": [...],
        "js":         ["content.js"],
        "run_at":     "document_start",
        "all_frames": true
    }
],
...

如果您决定采用MutationObserver方法,那么这个JS库应该会让您的生活更轻松:mutation-summary

关于你的问题,为什么在“document_start”执行你的脚本没有任何影响:
发生这种情况,因为在那时(“document_start”),您的脚本无需替换(即,在将任何其他内容添加到DOM之前加载并运行它).

点赞