javascript 为什么我在Firefox扩展中得到“导入声明可能只出现在模块的顶层”

tf7tbtn2  于 2023-05-05  发布在  Java
关注(0)|答案(1)|浏览(164)

我正在开发一个firefox扩展,我想从foo.js导入一个函数。我的目录结构如下所示

app
  js
    foo.js
  content.js
  manifest.json
  background.js

foo.js

function myFunc() {
  let hello = 'hello from foo.js';

  return hello;
}

export {myFunc};

content.js

import { myFunc } from './js/foo.js';

browser.runtime.onMessage.addListener((message) => {
  let result = myFunc();
  console.log(result);
});

manifest.json

{
  "manifest_version": 2,
  "name": "test",
  "version": "1.0.0",
  "description": "A notetaking tool for YouTube videos",
  "icons": {
    "48": "icons/border-48.png"
  },
  "background": {
    "scripts": ["background.js"]
  },
  "permissions": [
    "tabs"
  ],
  "content_scripts": [
    {
      "matches": ["<all_urls>"],
      "js": ["content.js"],
      "run_at": "document_start"
    }
  ],
  "web_accessible_resources":[
    "icons/my_icon.svg",
    "js/*"
  ]
}

background.js

browser.tabs.onUpdated.addListener((tabId, changeInfo, tab) => {
   browser.tabs.sendMessage(tabId, {message: 'hello from background.js'});
});

这不管用我在控制台中得到以下错误

import declarations may only appear at the top level of a module

我不明白为什么我在content.js中得到这个错误,import被放置在文件的顶部。我已经尝试了这个similar question中提出的一些解决方案,但这也不起作用。

7uhlpewt

7uhlpewt1#

我会建议任何处理这个问题的人阅读Dhruvil Shah's答案。他们建议使用Webpack或rollup这样的打包器。我能够使用Webpack将所有内容打包到一个名为main.js的文件中。然后,我将manifest.json文件从

....
  "content_scripts": [
    {
      "matches": ["<all_urls>"],
      "js": ["content.js"],
      "run_at": "document_start"
    }
  ],
  ....

....
  "content_scripts": [
    {
      "matches": ["<all_urls>"],
      "js": ["dist/main.js"],
      "run_at": "document_start"
    }
  ],
  ....

另外,YouTube上的this video from fireship也帮助我使用了Webpack。

相关问题