43

Chrome 拡張機能を作成しています。ユーザーがコンテキスト メニューをクリックするとログイン ウィンドウがポップアップ表示され、ユーザー名とパスワードを入力できるようになります。Chrome拡張機能では、ポップアップウィンドウを表示するためにのみ見つけchrome.pageAction.setPopupて使用できますが、コンテキストメニューではなく、ページアクションのアイコンまたはブラウザーアクションのアイコンがクリックされたときにのみポップアップが表示されます. chrome.browserAction.setPopupもちろん、javascript プロンプト ボックスを使用してこれを行うことができますが、問題はプロンプト ボックスでパスワードをマスクできないことです。Chrome拡張機能でポップアップウィンドウを作成する他の方法があるかどうか疑問に思っています。

ありがとう!

4

1 に答える 1

110

選んで決める:

これらのすべてのメソッドを使用すると、(拡張機能で)新しいウィンドウ/ダイアログを開き、そのページからロジックを処理できます。このページは、拡張機能と一緒にパッケージ化する必要があります。入力したデータを内線に渡すには、メッセージパッシング
を 参照してください。

デモ

拡張機能内のタブは、を使用してバックグラウンドページに直接アクセスできますchrome.runtime.getBackgroundPage。このデモでは、この機能と、メッセージパッシングの従来の方法を紹介します。

manifest.json

{
  "name": "Dialog tester",
  "version": "1.0",
  "manifest_version": 2,
  "background": {
      "scripts": ["background.js"],
      "persistent": false
  },
  "content_scripts": [{
      "matches": ["<all_urls>"],
      "js": ["open-dialog.js"]
  }]
}

background.js

// Handle requests for passwords
chrome.runtime.onMessage.addListener(function(request) {
    if (request.type === 'request_password') {
        chrome.tabs.create({
            url: chrome.extension.getURL('dialog.html'),
            active: false
        }, function(tab) {
            // After the tab has been created, open a window to inject the tab
            chrome.windows.create({
                tabId: tab.id,
                type: 'popup',
                focused: true
                // incognito, top, left, ...
            });
        });
    }
});
function setPassword(password) {
    // Do something, eg..:
    console.log(password);
};

open-dialog.js

if (confirm('Open dialog for testing?'))
    chrome.runtime.sendMessage({type:'request_password'});

dialog.html

<!DOCTYPE html><html><head><title>Dialog test</title></head><body>
<form>
    <input id="pass" type="password">
    <input type="submit" value="OK">
</form>
<script src="dialog.js"></script>
</body></html>

dialog.js

document.forms[0].onsubmit = function(e) {
    e.preventDefault(); // Prevent submission
    var password = document.getElementById('pass').value;
    chrome.runtime.getBackgroundPage(function(bgWindow) {
        bgWindow.setPassword(password);
        window.close();     // Close dialog
    });
};

使用されるメソッドのドキュメント

于 2012-04-26T20:39:20.630 に答える