likes
comments
collection
share

Electron实现文件缓存背景 基于Electron研发的一款IM企业通信桌面端应用,会存在非常多文件、图片、视频类型

作者站长头像
站长
· 阅读数 36

背景

基于Electron研发的一款IM企业通信桌面端应用,会存在非常多文件、图片、视频类型回话消息。在Electron应用(桌面客户端软件)中,快速加载并显示图片是提升用户体验的关键。然而,传统的图片加载方式往往存在加载速度慢、资源占用高等问题,影响了用户的使用体验。

解决的问题

  1. 支持自定义配置存储的磁盘位置

  2. 支持长期存储

  3. 支持自定义存储大小

  4. 支持自定义存储类型(如图片、视频、文件,或者更细致化到MIME)

  5. 支持清除缓存

  6. 缓存计算不阻塞主线程

现有技术

  1. 强制缓存:from disk cache和from memory cache;

  2. webReqeust请求拦截;

现有技术的优缺点

  1. 强制缓存:from disk cache和from memory cache;强缓存可以通过设置两种HTTP Header实现:Expires和Cache-Control;强缓存所缓存的资源位置是浏览器内核所控制的,我们无法人为变更。

  2. 利用Electron提供的webReqeust对网络资源请求进行拦截,将资源存储到本地指定位置;webRequest提供了onBeforeReuqestonCompleted两个方法,支持对请求发送前和请求响应成功进行处理;请求前检查资源是否已经被缓存,如果已经被缓存,则直接返回被缓存的资源路径。如果缓存不存在,则等待请求响应,并将响应的资源下载到本地。

实现方案

缓存配置

由业务层控制是否运行自动缓存,以及缓存资源大小限制。

缓存配置信息:

let db: any = null; // 数据库实例
// 配置信息
const fileCacheConfig = {
  path: app.getPath("userData"),
  isAutoCache: true, // 开启自动缓存
  isLimitSize: 1024 * 1024 * 100, // 100M以内的允许缓存
};

interface requestItem {
  id: string;
  originUrl: string;
  resourceUrl: string;
  resourceId: string;
  isDownloading: boolean;
}
// 请求的map数据,用于记录接口队列
const requestMap: Record<string, requestItem> = {};
// 缓存路径
const cacheDirPathMap = {
  file: path.join(appPath, "Cache", "File"),
  image: path.join(appPath, "Cache", "Image"),
  video: path.join(appPath, "Cache", "Video"),
};

初始化数据库


/**
 *  初始化数据
 */
function initData() {
  try {
    // 读取缓存路径
    const appPath = fileCacheConfig.path || app.getPath("userData");

    // 检查缓存目录是否存在,不存在则创建
    const filePathDatabase = path.join(app.getPath("userData"), "cache.db");
    Object.values(cacheDirPathMap).forEach((path) => {
      // 检查文件夹是否存在
      if (!fs.existsSync(path)) {
        // 递归创建文件夹目录
        fs.mkdirSync(path, { recursive: true });
        Logger.log(`目录已经被创建: ${path}`);
      }
    });

    // 初始化数据库
    db = new Database(filePathDatabase);

    db.exec(
      `CREATE TABLE IF NOT EXISTS cache (
        id         integer primary	key AUTOINCREMENT,
        filePath   text,
        fileId     text,
        fileMd5    text);

      CREATE TABLE IF NOT EXISTS webRequestCache (
        id         integer primary	key AUTOINCREMENT,
        filePath   text,
        url        text,
        fileMd5    text);
    `
    );
  } catch (error) {
    Logger.log("数据库表初始化异常", error);
  }
}

onBeforeRequest

发起请求前,先检查请求的资源接口地址是否已经在本地存在了,如果已经存在则直接返回,status为200。

// 前置请求拦截器
  session.defaultSession.webRequest.onBeforeRequest({ urls: [], types: [] }, (details, callback) => {
    const url = details.url;
    const id = `${details.id}`;

    if (db && fileCacheConfig.isAutoCache) {
      // 查询sqlite中是否存在
      // 已缓存,直接返回本地地址
      const isHasTableData = getCacheTable(url) as any;
      if (isHasTableData && fs.existsSync(isHasTableData.filePath)) {
        // 返回可以访问的路径给业务层
        callback({ redirectURL: `file:///${hasSqliteData.filePath}` });
      } else {
        // 检查是否在下载中,不在下载中则添加到map
        if (!requestMap[id]?.isDownloading) {
          requestMap[id] = {
            id,
            originUrl: url,
            resourceUrl: "",
            resourceId: "",
            isDownloading: false,
          };
        }
      }
    }

    if (requestMap[id] && !requestMap[id]?.isDownloading) {
      requestMap[id].resourceUrl = url;
    }

    callback({});
  });

onCompleted

创建换一个后置请求处理方法:

// 后置请求拦截器
  session.defaultSession.webRequest.onCompleted({ urls: [], types: [] }, (details) => {
    const url = details.url;
    const id = `${details.id}`;

    if (requestMap[id]) {
      const flagUrl = setDetailsId(url, id);
      const fileName = createFileName(url, id);

      if (fileName && getFileSize(url) < fileCacheConfig.isLimitSize && details.resourceType === "image") {
        const savePath = path.join(cacheDirPathMap[details.resourceType], fileName);
        // 由主进程执行下载
        const instance = MainWindow.getInstance();
        instance.saveFilePath = savePath;
        instance.saveFilePathMap[url] = savePath;
        instance.mainWindow?.webContents?.downloadURL?.(url);

        // 设置下载状态
        requestMap[id].isDownloading = true;
      } else {
        // 删除map中的数据
        if (requestMap[id]) {
          delete requestMap[id];
        }
      }
    }
  });

资源下载

 // 下载拦截器
  session.defaultSession.on("will-download", (event: Event, item: DownloadItem, webContents: WebContents) => {
    const url = item.getURL();
    const id = getDetailsId(url) || "";
    try {
      item.once("done", async (_, state: string) => {
        if (state === "completed" && id) {
          // 检查文件的MD5
          const fileMd5 = (await getFileMd5(item.savePath)) as string;
          // 通过id获取本地文件的路径
          const requestItem = findRequestItemByID(id);
          // 如果本地文件已经下载完毕,并且MD5生成完毕,则更新数据库
          if (requestItem && fileMd5) {
            // 更新数据库
            updateCacheTable({
              url: requestItem.originUrl,
              filePath: item.savePath,
              fileMd5: fileMd5,
            });
          }
        } else {
          Logger.log(`资源下载失败: ${state}`);
        }

        // 删除map中的数据
        if (requestMap[id]) {
          delete requestMap[id];
        }
      });
    } catch (error) {
      Logger.log("下载失败:", error);
    }
  });

完整代码


const { app, session } = require('electron')
import Logger from "electron-log";
import fs from "fs";
import path from "path";
import Database from 'better-sqlite3';
import crypto from 'crypto';

// 单例锁
const gotTheLock = app.requestSingleInstanceLock();

if (!gotTheLock) {
  // 如果无法获取单实例锁,则退出应用程序
  app.quit();
} else {
  // 监听 second-instance 事件来处理第二个实例
  app.on("second-instance", (event, commandLine, workingDirectory) => {
    // 在这里处理第二个实例的逻辑
    // 可以将焦点切换到已存在的窗口等操作
    if (MainWindow.mainWindow) {
      MainWindow.getInstance().setWindowVisible(true, false);
      MainWindow.mainWindow.focus();
    }
  });

  if (app.isReady()) {
    startApp();
  } else {
    app.once("ready", startApp);
  }
}

//初始化,并准备创建浏览器窗口。
//某些api只能在此事件发生后使用。
function startApp() {
  // 执行主进程页面
  MainWindow.getInstance();
  // 初始化session
  initSession();
}

//当所有窗口都关闭时退出,除了macOS。在那里,这很常见
//让应用程序及其菜单栏保持活动状态,直到用户退出
//显式地使用Cmd + Q。
app.on("window-all-closed", () => {
  // 所有窗口关闭后退出应用程序
  app.quit();
});



let db: any = null;
const fileCacheConfig = {
  path: app.getPath("userData"),
  isAutoCache: true, // 开启自动缓存
  isLimitSize: 1024 * 1024 * 100, // 100M以内的允许缓存
};

interface requestItem {
  id: string;
  originUrl: string;
  resourceUrl: string;
  resourceId: string;
  isDownloading: boolean;
}
// 请求的map数据,用于记录接口队列
const requestMap: Record<string, requestItem> = {};
// 缓存路径
const cacheDirPathMap = {
  file: path.join(appPath, "Cache", "File"),
  image: path.join(appPath, "Cache", "Image"),
  video: path.join(appPath, "Cache", "Video"),
};

/**
 *  初始化数据
 */
function initData() {
  try {
    // 读取缓存路径
    const appPath = fileCacheConfig.path || app.getPath("userData");

    // 检查缓存目录是否存在,不存在则创建
    const filePathDatabase = path.join(app.getPath("userData"), "cache.db");
    Object.values(cacheDirPathMap).forEach((path) => {
      // 检查文件夹是否存在
      if (!fs.existsSync(path)) {
        // 递归创建文件夹目录
        fs.mkdirSync(path, { recursive: true });
        Logger.log(`目录已经被创建: ${path}`);
      }
    });

    // 初始化数据库
    db = new Database(filePathDatabase);

    db.exec(
      `CREATE TABLE IF NOT EXISTS cache (
        id         integer primary	key AUTOINCREMENT,
        filePath   text,
        fileId     text,
        fileMd5    text);

      CREATE TABLE IF NOT EXISTS webRequestCache (
        id         integer primary	key AUTOINCREMENT,
        filePath   text,
        url        text,
        fileMd5    text);
    `
    );
  } catch (error) {
    Logger.log("数据库表初始化异常", error);
  }
}

/**
 * 查询webRequestCache表
 * @param url url
 * @returns *
 */
const getCacheTable = (url: string) => {
  try {
    const stmt = db.prepare(`SELECT * FROM webRequestCache WHERE url = ?`);
    const result = stmt.get(url);
    return result;
  } catch (error) {
    return false;
  }
};

/**
 * 设置下载任务的id
 * 主要用作任务映射,每个任务都是一个独立的id,类似于迅雷多列下载
 *
 * 通过key = value 的形式,作为映射规则
 * @param url
 * @param id
 * @returns
 */
export const setDetailsId = (url: string, id: string) => {
  if (url.indexOf("?") > -1) {
    return url + `&downloadItemDetailsId=${id}`;
  } else {
    return url + `?downloadItemDetailsId=${id}`;
  }
};

/**
 * 查找本地缓存的是否存在该资源
 * @param url url
 * @returns *
 */
const findRequestItemByUrl = (url: string): requestItem | undefined => {
  return Object.values(requestMap).find((item: requestItem) => {
    return item.resourceUrl === url;
  });
};

/**
 * 创建文件名
 * @param url 链接
 * @param id id
 * @returns *
 */
function createFileName(url: string, id: string) {
  // 使用原始请求地址 fileUrl md5 作为文件名
  try {
    const extname = path.extname(url.replace(/?.*/gi, ""));
    const requestItem = requestMap[id] || findRequestItemByUrl(id);
    const fileName = getStringMd5(requestItem.originUrl);
    return `${fileName}${extname}`;
  } catch (err) {
    return false;
  }
}

/**
 * 获取下载项
 * @param url
 * @returns
 */
export const getDetailsId = (url: string) => {
  const reg = new RegExp(`&downloadItemDetailsId=(\w*)`);
  const result = url.match(reg);
  if (result) {
    return result[1];
  }
  return false;
};

/**
 * 通过资源id查找下载项
 * @param id id
 * @returns *
 */
const findRequestItemByID = (id: string): requestItem | undefined => {
  return Object.values(requestMap).find((item: requestItem) => {
    return item.resourceId === id;
  });
};

/**
 * 更新数据库
 * @param data *
 * @returns *
 */
const updateCacheTable = (data: { url: string; filePath: string; fileMd5: string }) => {
  try {
    const hasSqliteData = selectWebRequestCacheTable(data.url) as any;

    if (hasSqliteData) {
      const update = db.prepare("UPDATE webRequestCache SET filePath = ?, fileMd5 = ? WHERE url = ?");
      update.run(data.filePath, data.fileMd5, data.url);
      return;
    }
    const insert = db.prepare(
      "INSERT INTO webRequestCache (filePath, url, fileMd5) VALUES (@filePath, @url, @fileMd5)"
    );
    insert.run(data);
  } catch (error) {
    Logger.log("记录到数据库报错", error);
    return false;
  }
};

/**
 * 获取文件的md5
 * 为了避免文件重复,使用文件的md5作为文件名
 * 如果是不同名称,但是文件内容相同,则使用相同的文件名,能优化重复文件资源占用的问题
 * @param filePath 文件路径
 * @returns
 */
export const getFileMd5 = (filePath: string) => {
  return new Promise((resolve, _) => {
    const hash = crypto.createHash("md5");
    const stream = fs.createReadStream(filePath);

    stream.on("data", (chunk: any) => {
      hash.update(chunk, "utf8");
    });
    stream.on("end", () => {
      const md5 = hash.digest("hex");
      resolve(md5);
    });
  });
};

/**
 * 初始化session事件
 */
function initSession() {
  // 初始化session
  initData();

  // 前置请求拦截器
  session.defaultSession.webRequest.onBeforeRequest({ urls: [], types: [] }, (details, callback) => {
    const url = details.url;
    const id = `${details.id}`;

    if (db && fileCacheConfig.isAutoCache) {
      // 查询sqlite中是否存在
      // 已缓存,直接返回本地地址
      const isHasTableData = getCacheTable(url) as any;
      if (isHasTableData && fs.existsSync(isHasTableData.filePath)) {
        // 返回可以访问的路径给业务层
        callback({ redirectURL: `file:///${hasSqliteData.filePath}` });
      } else {
        // 检查是否在下载中,不在下载中则添加到map
        if (!requestMap[id]?.isDownloading) {
          requestMap[id] = {
            id,
            originUrl: url,
            resourceUrl: "",
            resourceId: "",
            isDownloading: false,
          };
        }
      }
    }

    if (requestMap[id] && !requestMap[id]?.isDownloading) {
      requestMap[id].resourceUrl = url;
    }

    callback({});
  });
  // 后置请求拦截器
  session.defaultSession.webRequest.onCompleted({ urls: [], types: [] }, (details) => {
    const url = details.url;
    const id = `${details.id}`;

    if (requestMap[id]) {
      const flagUrl = setDetailsId(url, id);
      const fileName = createFileName(url, id);

      if (fileName && getFileSize(url) < fileCacheConfig.isLimitSize && details.resourceType === "image") {
        const savePath = path.join(cacheDirPathMap[details.resourceType], fileName);
        // 由主进程执行下载
        const instance = MainWindow.getInstance();
        instance.saveFilePath = savePath;
        instance.saveFilePathMap[url] = savePath;
        instance.mainWindow?.webContents?.downloadURL?.(url);

        // 设置下载状态
        requestMap[id].isDownloading = true;
      } else {
        // 删除map中的数据
        if (requestMap[id]) {
          delete requestMap[id];
        }
      }
    }
  });
  // 下载拦截器
  session.defaultSession.on("will-download", (event: Event, item: DownloadItem, webContents: WebContents) => {
    const url = item.getURL();
    const id = getDetailsId(url) || "";
    try {
      item.once("done", async (_, state: string) => {
        if (state === "completed" && id) {
          // 检查文件的MD5
          const fileMd5 = (await getFileMd5(item.savePath)) as string;
          // 通过id获取本地文件的路径
          const requestItem = findRequestItemByID(id);
          // 如果本地文件已经下载完毕,并且MD5生成完毕,则更新数据库
          if (requestItem && fileMd5) {
            // 更新数据库
            updateCacheTable({
              url: requestItem.originUrl,
              filePath: item.savePath,
              fileMd5: fileMd5,
            });
          }
        } else {
          Logger.log(`资源下载失败: ${state}`);
        }

        // 删除map中的数据
        if (requestMap[id]) {
          delete requestMap[id];
        }
      });
    } catch (error) {
      Logger.log("下载失败:", error);
    }
  });
}


问题解惑

1. 支持自定义配置存储的磁盘位置

配置信息fileCacheConfig中,支持修改缓存资源存储的位置。

2. 支持长期存储

只要应用没有被卸载,缓存会一直存在于设备本地。除非用户主动清理缓存。

应用的缓存位置默认通过app.getPath("userData")获取。

mac端默认是:~/Users/[用户名称]/Library/Application Support/[应用名称]/

windows端默认是:%用户名称%\AppData\Roaming\{应用名称}\

3. 支持自定义存储大小

在响应拦截器中,我们做了资源大小的检查getFileSize(url) < fileCacheConfig.isLimitSize,当资源小于100M时(支持自定义配置)才会缓存到本地。

这个打开可以在配置项中修改。

getFileSize函数是通过获取请求头header中返回是length字段计算得来的。

4. 支持自定义存储类型(如图片、视频、文件,或者更细致化到MIME)

当前演示的是缓存image类型,具体支持的类型有很多,参见Electron官网

  • resourceType string - 可以是 mainFrame, subFramestylesheetscriptimagefontobjectxhrpingcspReportmediawebSocket 或 other

如果是视频类型,则在相应拦截器中添加<font style="color:rgb(28, 30, 33);background-color:rgb(246, 247, 248);">details.resourceType === 'media'</font>

5. 支持缓存清除

  1. 需要清除sqlite数据库,因为数据库中的url映射到的是本地资源路径。

  2. 需要清除fileCacheConfig.path下的资源内容。


// 缓存路径
const cacheDirPathMap = {
  file: path.join(appPath, "Cache", "File"),
  image: path.join(appPath, "Cache", "Image"),
  video: path.join(appPath, "Cache", "Video"),
};

/**
 * 删除文件夹文件
 *
 * @private
 * @async
 * @param {string} folderPath
 * @returns {*}
 */
async function clearCache() {
  try {
    // 删除本地文件
    for (let path of Object.values(cacheDirPathMap)) {
      await promisify(fs.rm)(path, { recursive: true })
    }
    // 清空数据库
    db.prepare(`DELETE FROM cache`).run()
  } catch (error) {
    Logger.log('[sqlite] 删除失败', error);
  }
}

6. 缓存计算不阻塞主线程

文件的下载和缓存是由will-download处理的。

在Electron中,will-download事件本身并不会直接阻塞主进程。will-download是Electron中用于监听和控制文件下载的一个事件,它属于Electron的session对象。当一个文件开始下载时,这个事件会被触发,允许开发者在下载过程中进行自定义处理,比如设置文件的保存路径、监听下载进度等。

will-download事件的工作原理

  • 当一个下载请求发生时,Electron的session对象会触发will-download事件。

  • 这个事件的处理程序中,开发者可以访问到与下载相关的DownloadItem对象,通过该对象可以控制下载过程,比如设置下载路径、暂停或取消下载等。

  • will-download事件的处理是异步的,它不会直接阻塞主进程。主进程可以继续执行其他任务,而下载过程则在后台进行。

7. 强制缓存和webRequest会有冲突吗?

两者确实会有冲突。

强制换存的作用:
  1. 强缓存机制(如 HTTP 的 Cache-Control, Expires)在浏览器中是用来控制请求的缓存行为的。如果某个请求被强缓存,浏览器在接下来的请求中不会与服务器通信,而是直接从缓存中读取资源。

  2. 强缓存一般分为两种:

  • 协商缓存(需要向服务器确认资源是否更新);

  • 强制缓存(完全由客户端控制,不与服务器通信)。

webRequest.onBeforeRequest 和缓存的关系
  • **onBeforeRequest** 允许你在资源请求发出前进行拦截和重定向。如果你通过这个拦截器对请求进行了修改,比如更改了 URL 或重定向了请求,强缓存机制可能会被绕过,因为请求已经被更改。

  • 如果资源已被强缓存,浏览器不会发出请求,因此也不会触发 onBeforeRequest

webRequest.onCompleted 和缓存的关系
  • **onCompleted** 会在请求完成后触发。如果资源是从缓存中获取的,这个事件依然会触发。不过,当强缓存生效时,可能根本不会进行网络请求,所以即使使用 onCompleted 监听,也可能不会有实际请求完成的事件。

冲突可能性
  1. **请求被缓存,不触发 ****onBeforeRequest**:如果强缓存生效,那么请求不会被发出,这意味着 onBeforeRequest 不会被触发,因为没有请求发送到服务器。

  2. 缓存读取与 **onCompleted** 的问题:如果资源是从缓存中加载的,onCompleted 依然可能会触发,但是不会有实际网络请求,只会报告资源从缓存中读取成功。

如何避免冲突

如果你希望确保 onBeforeRequestonCompleted 始终生效并能拦截所有请求(包括缓存中的请求),你可以通过以下几种方式禁用缓存或手动控制缓存行为:

  1. 在请求拦截器中禁用缓存: 你可以在 onBeforeRequest 中通过设置 HTTP 请求头 Cache-Control: no-cache 来绕过缓存,确保请求每次都会发出:


session.defaultSession.webRequest.onBeforeSendHeaders((details, callback) => {
  details.requestHeaders['Cache-Control'] = 'no-cache';
  callback({ cancel: false, requestHeaders: details.requestHeaders });
});

  1. 禁用 Electron 的全局缓存: 你可以通过 session API 来禁用 Electron 的缓存。

const { session } = require('electron');
session.defaultSession.webRequest.onBeforeRequest((details, callback) => {
  callback({
    cancel: false,
    requestHeaders: { ...details.requestHeaders, 'Cache-Control': 'no-cache' }
  });
});
  1. 清除缓存: 如果缓存内容导致问题,你可以在需要的时候手动清除缓存,确保所有请求重新加载:

session.defaultSession.clearCache().then(() => {
  console.log('Cache cleared');
});
转载自:https://juejin.cn/post/7416723051378065444
评论
请登录