web-dev-qa-db-ja.com

クロムの拡張コンテンツスクリプトからiframeコンテンツにアクセスする

私は、インターフェースにいくつかの変換を行うプラグインをやっています。 unsafe javascript attempt to access frame with url.... Domains, protocols and ports must match(一般的なクロスサイトの問題)

ただし、拡張機能であるため、iframeのコンテンツにアクセスできる必要があります http://code.google.com/chrome/extensions/content_scripts.html ...

誰もがコンテンツにアクセスしてキャプチャできるようにする方法を知っていますか?

33
fmsf

通常、別のwindowオブジェクトにアクセスする直接的な方法はありません。異なるフレームのコンテンツスクリプト間で安全に通信したい場合は、メッセージをバックグラウンドページに送信する必要があります。タブ。

次に例を示します。

manifest.jsonの一部:

"background": {"scripts":["bg.js"]},
"content_scripts": [
    {"js": ["main.js"], "matches": ["<all_urls>"]},
    {"js": ["sub.js"], "matches": ["<all_urls>"], "all_frames":true}
]

main.js

var isTop = true;
chrome.runtime.onMessage.addListener(function(details) {
    alert('Message from frame: ' + details.data);
});

sub.js

if (!window.isTop) { // true  or  undefined
    // do something...
    var data = 'test';
    // Send message to top frame, for example:
    chrome.runtime.sendMessage({sendBack:true, data:data});
}

バックグラウンドスクリプト「bg.js」:

chrome.runtime.onMessage.addListener(function(message, sender) {
    if (message.sendBack) {
        chrome.tabs.sendMessage(sender.tab.id, message.data);
    }
});

別の方法は、chrome.tabs.executeScriptbg.jsを使用して、メインコンテンツスクリプトの関数をトリガーすることです。

関連ドキュメント

37
Rob W

これは古い質問であることを理解していますが、最近、それを解決するために半日を費やしました。通常、iframeの作成は次のようになります。

var iframe = document.createElement('iframe');
iframe.src = chrome.extension.getURL('iframe-content-page.html');

このフレームにはページと異なるOriginがあり、そのDOMを取得することはできません。ただし、CSS分離のためだけにiframeを作成する場合は、別の方法でこれを行うことができます。

var iframe = document.createElement('iframe');
document.getElementById("iframe-parent").appendChild(iframe);
iframe.contentDocument.write(getFrameHtml('html/iframe-content-page.html'));
.......
function getFrameHtml(htmlFileName) {
    var xmlhttp = new XMLHttpRequest();
    xmlhttp.open("GET", chrome.extension.getURL(html/htmlFileName), false);
    xmlhttp.send();

    return xmlhttp.responseText;
}
.......
"web_accessible_resources": [   
    "html/htmlFileName.html",
    "styles/*",
    "fonts/*"
]

その後、iframe.contentDocumentを使用してiframeのDOMにアクセスできます

12