Chrome 插件网络请求的全面指南

发布于:2025-05-26 ⋅ 阅读:(48) ⋅ 点赞:(0)

在 Chrome 插件开发中,网络请求可以在多个上下文中实现,而不仅限于 background.js 和 content.js。以下是完整的网络请求实现方案:

一、主要请求实现位置

1. Background Script (后台脚本)

特点

  • 生命周期最长
  • 适合处理敏感数据请求
  • 可以监听和修改所有网络请求
// background.js
chrome.runtime.onMessage.addListener((request, sender, sendResponse) => {
  if (request.type === 'fetchData') {
    fetch('https://api.example.com/data')
      .then(response => response.json())
      .then(data => sendResponse({data}))
      .catch(error => sendResponse({error}));
    return true; // 保持消息通道开放
  }
});

2. Content Script (内容脚本)

特点

  • 可以直接访问DOM
  • 受页面CSP限制
  • 适合与页面内容交互的请求
// content.js
async function fetchPageData() {
  try {
    const response = await fetch('https://api.example.com/page-data');
    const data = await response.json();
    chrome.runtime.sendMessage({type: 'pageData', data});
  } catch (error) {
    console.error('请求失败:', error);
  }
}

3. Popup/Options 页面

特点

  • 直接响应用户交互
  • 生命周期短暂
// popup.js
document.getElementById('fetchBtn').addEventListener('click', async () => {
  const response = await fetch('https://api.example.com/user-data');
  const data = await response.json();
  displayData(data);
});

二、高级网络功能

1. 拦截和修改请求

// background.js
chrome.webRequest.onBeforeSendHeaders.addListener(
  details => {
    // 添加认证头
    details.requestHeaders.push({
      name: 'Authorization',
      value: 'Bearer token123'
    });
    return {requestHeaders: details.requestHeaders};
  },
  {urls: ['https://api.example.com/*']},
  ['blocking', 'requestHeaders']
);

2. 跨上下文通信模式

// content.js -> background.js
chrome.runtime.sendMessage({type: 'fetchNeeded'}, response => {
  console.log('收到响应:', response);
});

// popup.js -> background.js
chrome.runtime.sendMessage({type: 'getConfig'});

三、权限配置

manifest.json 关键配置:

{
  "permissions": [
    "webRequest",
    "webRequestBlocking",
    "storage"
  ],
  "host_permissions": [
    "https://api.example.com/*"
  ]
}

四、最佳实践建议

  1. 敏感请求:放在 background.js 中处理
  2. 性能优化:共享连接/使用缓存
  3. 错误处理:实现重试机制
  4. 安全考虑:验证所有响应数据

通过合理利用这些网络请求方式,可以构建功能强大且安全的 Chrome 扩展程序。