Flutter web - 5 项目打包优化

介绍

目前 flutterweb 的打包产物优化较少,存在 main.dart.js 单个文件体积过大问题,打包文件名没有 hash 值,如果有使用 CDN 会存在资源不能及时更新问题。本文章会对这些问题进行优化。

优化打包产物体积

从打包产物中可以看到其中 main.dart.js 文件体积较大,且该文件是 flutter web 运行的主要文件之一,该文件体积会随着业务代码的增多而变大,如果不对其体积进行优化,会造成页面白屏时间过长,影响用户体验。

在这里插入图片描述

打包产物目录结构:

├── assets                                    // 静态资源文件,主要包括图片、字体、清单文件等
│   ├── AssetManifest.json                    // 资源(图片、视频等)清单文件
│   ├── FontManifest.json                     // 字体清单文件
│   ├── NOTICES
│   ├── fonts
│   │   └─ MaterialIcons-Regular.otf          // 字体文件,Material风格的图标
│   ├── packages
│   │   └─ cupertino_icons                    // 字体文件
│   │      └─ cupertino_icons  
│   │         └─ assets
│   │            └─CupertinoIcons.ttf
│   ├── images                                // 图片文件夹
├── canvaskit                                 // canvaskit渲染模式构建产生的文件
├── favicon.png
├── flutter.js                                // 主要下载main.dart.js文件、读取service worker缓存等,被index.html调用
├── flutter_service_worker.js                 // service worker的使用,主要实现文件缓存
├── icons                                     // pwa应用图标
├── index.html                                // 入口文件
├── main.dart.js                              // JS主体文件,由flutter框架、第三方库、业务代码编译产生的
├── manifest.json                             // pwa应用清单文件
└── version.json                              // 版本文件

对于字体文件,我所使用的 flutter 版本(3.19.0)在 build web 时,默认开启了 tree-shake-icons,可以自行运行 flutter build web -h 查看。所以优化的重心为 main.dart.js 文件。

打包脚本目录结构:

├── scripts
│   ├── buildScript   
│   │   ├─ build.js       // 打包脚本
│   │   └─ loadChunk.js  // 加载并合并分片脚本
使用 deferred 延迟加载

dart 官方提供了 deferred 关键字来实现 widget页面的延迟加载。
文档

使用 deferred 关键字标识的 widget页面就会从 main.dart.js 文件中抽离出来,生成如 main.dart.js_1.part.jsmain.dart.js_2.part.jsmain.dart.js_x.part.js 等文件,可以一定程度上优化 main.dart.js 文件体积。

参考文章

开启 gzip 压缩

让服务端开启 gzip 压缩

文件分片

可以对 main.dart.js 文件进行分片处理,充分利用浏览器并行加载的机制来节省加载时间。

build.js 中加入分片代码 (文章中代码是在 Flutter web - 2 多项目架构设计 文章基础上修改)

import fs from "fs";
import path from "path";// 对 main.dart.js 进行分片
function splitFile() {const chunkCount = 5; // 分片数量// buildOutPath 为打包输出路径,如未改动则为项目根目录下的 build/web 文件夹const targetFile = path.resolve(buildOutPath, `./main.dart.js`);const fileData = fs.readFileSync(targetFile, "utf8");const fileDataLen = fileData.length;// 计算每个分片的大小const eachChunkLen = Math.floor(fileDataLen / chunkCount);for (let i = 0; i < chunkCount; i++) {const start = i * eachChunkLen;const end = i === chunkCount - 1 ? fileDataLen : (i + 1) * eachChunkLen;const chunk = fileData.slice(start, end);const chunkFilePath = path.resolve(`./build/${args.env}/${args.project}/main.dart_chunk_${i}.js`);fs.writeFileSync(chunkFilePath, chunk);}// 删除 main.dart.js 文件fs.unlinkSync(targetFile);
}

分片后还需修改 flutter.js 内容,使其加载分片后的文件,在后续步骤中会讲解。

文件名添加 hash 值

build.js 中新增:

import fs from "fs";
import path from "path";
import { glob } from "glob"; // 使用了 glob 依赖包const hashFileMap = new Map(); // 记录新旧文件的文件名和文件路径信息
const mainDartJsFileMap = {};  // 记录分片后的// 文件名添加 hash 值
async function hashFile() {const files = await glob(["**/main.dart_chunk_@(*).js"],// ["**/images/**.*", "**/*.{otf,ttf}", "**/main.dart@(*).js"],{cwd: buildOutPath,nodir: true,});// console.log(files);for (let i = 0; i < files.length; i++) {const oldFilePath = path.resolve(buildOutPath, files[i]);const newFilePath =oldFilePath.substring(0,oldFilePath.length - path.extname(oldFilePath).length) +"." +getFileMD5({ filePath: oldFilePath }) +path.extname(oldFilePath);fs.renameSync(oldFilePath, newFilePath);const oldFileName = path.basename(oldFilePath);const newFileName = path.basename(newFilePath);hashFileMap.set(oldFileName, {oldFilePath,newFilePath,newFileName,});if (oldFileName.includes("main.dart_chunk"))mainDartJsFileMap[oldFileName] = newFileName;}
}/*** 获取文件的 md5 值* @param {{fileContent?: string, filePath?: string}} options* @returns {string}*/
function getFileMD5(options) {const { fileContent, filePath } = options;const _fileContent = fileContent || fs.readFileSync(filePath);const hash = crypto.createHash("md5");hash.update(_fileContent);return hash.digest("hex").substring(0, 8);
}
修改 flutter.js 内容

查看 flutter.js 文件代码可以发现,main.dart.js 是由 flutter.jsloadEntrypoint 函数加载的,实际是通过调用 _createScriptTag 函数,在 DOM 中插入了有 main.dart.js 地址的 script 标签。

async loadEntrypoint(e) {let {entrypointUrl: r = `${l}main.dart.js`,onEntrypointLoaded: t,nonce: i,} = e || {};return this._loadEntrypoint(r, t, i);
}_loadEntrypoint(e, r, t) {let i = typeof r == "function";if (!this._scriptLoaded) {this._scriptLoaded = !0;let o = this._createScriptTag(e, t);if (i)console.debug("Injecting <script> tag. Using callback."),(this._onEntrypointLoaded = r),document.body.append(o);elsereturn new Promise((s, c) => {console.debug("Injecting <script> tag. Using Promises. Use the callback approach instead!"),(this._didCreateEngineInitializerResolve = s),o.addEventListener("error", c),document.body.append(o);});}
}_createScriptTag(e, r) {let t = document.createElement("script");(t.type = "application/javascript"), r && (t.nonce = r);let i = e;return (this._ttPolicy != null && (i = this._ttPolicy.createScriptURL(e)),(t.src = i),t);
}

因为我们把 main.dart.js 分片处理了,就不需要加载原来的 main.dart.js 文件,只需要加载分片的文件,再合并起来就可以了。所以我们修改的主要地方是 _createScriptTag 函数。

思路:创建一个加载并合并 main.dart.js 分片文件的 loadChunk.js 脚本文件,把 _createScriptTag 函数中加载 main.dart.js 的代码替换成加载 loadChunk.js 即可。

loadChunk.js 代码:

function loadChunkScript(url) {return new Promise((resolve, reject) => {const xhr = new XMLHttpRequest();xhr.open("get", url, true);xhr.onreadystatechange = () => {if (xhr.readyState == 4) {if ((xhr.status >= 200 && xhr.status < 300) || xhr.status == 304) {resolve(xhr.responseText);}}};xhr.onerror = reject;xhr.ontimeout = reject;xhr.send();});
}let retryCount = 0;
const mainDartJsFileMapJSON = "{}";
const mainDartJsFileMap = JSON.parse(mainDartJsFileMapJSON);
const promises = Object.keys(mainDartJsFileMap).sort().map((key) => `${baseHref}${mainDartJsFileMap[key]}`).map(loadChunkScript);
Promise.all(promises).then((values) => {const contents = values.join("");const script = document.createElement("script");script.text = contents;script.type = "text/javascript";document.body.appendChild(script);}).catch(() => {if (++retryCount > 3) {console.error("load chunk fail");} else {_createScriptTag(url);}});

只要替换掉其中的 const mainDartJsFileMapJSON = "{}";${baseHref} 即可,所以在 build.js 文件新增函数:

import fs from "fs";
import path from "path";
import { minify_sync } from "terser";
import { transform } from "@babel/core";// 插入加载分片脚本
function insertLoadChunkScript() {// 读取 loadChunk.js 内容,并替换let loadChunkContent = fs.readFileSync(path.resolve("./scripts/buildScript/loadChunk.js")).toString();loadChunkContent = loadChunkContent.replace('const mainDartJsFileMapJSON = "{}";',`const mainDartJsFileMapJSON = '${JSON.stringify(mainDartJsFileMap)}';`).replace("${baseHref}", `${baseHref}`);// 使用 babel 进行代码降级const parseRes = transform(loadChunkContent, {presets: ["@babel/preset-env"],});// 代码混淆和压缩const terserRes = minify_sync(parseRes.code, {compress: true,mangle: true,output: {beautify: false,comments: false,},});// 在打包产物中创建 script 文件夹if (!fs.existsSync(path.resolve(buildOutPath, "script")))fs.mkdirSync(path.resolve(buildOutPath, "script"));// 文件名加 hash 值const loadChunkJsHash = getFileMD5({ fileContent: terserRes.code });fs.writeFileSync(path.resolve(buildOutPath, `./script/loadChunk.${loadChunkJsHash}.js`),Buffer.from(terserRes.code));// 替换 flutter.js 里的 _createScriptTagconst pattern = /_createScriptTag([w,]+){(.*?)}/;const flutterJsPath = path.resolve(buildOutPath, "./flutter.js");let flutterJsContent = fs.readFileSync(flutterJsPath).toString();flutterJsContent = flutterJsContent.replace(pattern, (match, p1) => {return `_createScriptTag(){let t=document.createElement("script");t.type="application/javascript";t.src='${baseHref}script/loadChunk.${loadChunkJsHash}.js';return t}`;});// flutter js 加 hashfs.writeFileSync(flutterJsPath, Buffer.from(flutterJsContent));const flutterJsHashName = `flutter.${getFileMD5({fileContent: flutterJsContent,})}.js`;fs.renameSync(flutterJsPath, path.resolve(buildOutPath, flutterJsHashName));// 替换 index.html 内容const bridgeScript = `<script src="${flutterJsHashName}" defer></script>`;const htmlPath = path.resolve(buildOutPath, "./index.html");let htmlText = fs.readFileSync(htmlPath).toString();const headEndIndex = htmlText.indexOf("</head>");htmlText =htmlText.substring(0, headEndIndex) +bridgeScript +htmlText.substring(headEndIndex);fs.writeFileSync(htmlPath, Buffer.from(htmlText));
}

完整代码

需安装依赖:pnpm i chalk crypto terser glob @babel/core commander @babel/preset-env -D

import fs from "fs";
import path from "path";
import { glob } from "glob";
import crypto from "crypto";
import { minify_sync } from "terser";
import { exec } from "child_process";
import { transform } from "@babel/core";
import { program, Option } from "commander";program.command("build").requiredOption("-p, --project <string>", "project name") // 要打包的项目名.addOption(new Option("-e, --env <string>", "dev or prod environment") // 运行的环境.choices(["dev", "prod"]).default("dev")).addOption(new Option("--web-renderer <string>", "web renderer mode") // 渲染方式.choices(["auto", "html", "canvaskit"]).default("auto")).action((cmd) => {build(cmd);});
program.parse(process.argv);/*** @param {{ project: string, env: string, webRenderer: string }} args*/
function build(args) {// 要打包的项目路劲const buildTargetPath = path.resolve(`./lib/${args.project}`);// 打包文件输出位置,如:build/dev/project_1const buildOutPath = path.resolve(`./build/${args.env}/${args.project}`);// 见下方解释,具体根据部署路劲设置const baseHref = `/${args.project}/`;const hashFileMap = new Map();const mainDartJsFileMap = {};// 删除原打包文件fs.rmSync(buildOutPath, { recursive: true, force: true });// 打包命令 -o 指定输出位置// --release 构建发布版本,有对代码进行混淆压缩等优化// --pwa-strategy none 不使用 pwaconst commandStr = `fvm flutter build web --base-href ${baseHref} --web-renderer ${args.webRenderer} --release --pwa-strategy none -o ${buildOutPath} --dart-define=INIT_ENV=${args.env} `;exec(commandStr,{cwd: buildTargetPath,},async (error, stdout, stderr) => {if (error) {console.error(`exec error: ${error}`);return;}console.log(`stdout: ${stdout}`);splitFile();await hashFile();insertLoadChunkScript();if (stderr) {console.error(`stderr: ${stderr}`);return;}});// 对 main.dart.js 进行分片function splitFile() {const chunkCount = 5; // 分片数量const targetFile = path.resolve(buildOutPath, `./main.dart.js`);const fileData = fs.readFileSync(targetFile, "utf8");const fileDataLen = fileData.length;const eachChunkLen = Math.floor(fileDataLen / chunkCount);for (let i = 0; i < chunkCount; i++) {const start = i * eachChunkLen;const end = i === chunkCount - 1 ? fileDataLen : (i + 1) * eachChunkLen;const chunk = fileData.slice(start, end);const chunkFilePath = path.resolve(`./build/${args.env}/${args.project}/main.dart_chunk_${i}.js`);fs.writeFileSync(chunkFilePath, chunk);}fs.unlinkSync(targetFile);}// 文件名添加 hash 值async function hashFile() {const files = await glob(["**/main.dart@(*).js"],// ["**/images/**.*", "**/*.{otf,ttf}", "**/main.dart@(*).js"],{cwd: buildOutPath,nodir: true,});// console.log(files);for (let i = 0; i < files.length; i++) {const oldFilePath = path.resolve(buildOutPath, files[i]);const newFilePath =oldFilePath.substring(0,oldFilePath.length - path.extname(oldFilePath).length) +"." +getFileMD5({ filePath: oldFilePath }) +path.extname(oldFilePath);fs.renameSync(oldFilePath, newFilePath);const oldFileName = path.basename(oldFilePath);const newFileName = path.basename(newFilePath);hashFileMap.set(oldFileName, {oldFilePath,newFilePath,newFileName,});if (oldFileName.includes("main.dart_chunk"))mainDartJsFileMap[oldFileName] = newFileName;}}/*** 获取文件的 md5 值* @param {{fileContent?: string, filePath?: string}} options* @returns {string}*/function getFileMD5(options) {const { fileContent, filePath } = options;const _fileContent = fileContent || fs.readFileSync(filePath);const hash = crypto.createHash("md5");hash.update(_fileContent);return hash.digest("hex").substring(0, 8);}// 插入加载分片脚本function insertLoadChunkScript() {let loadChunkContent = fs.readFileSync(path.resolve("./scripts/buildScript/loadChunk.js")).toString();loadChunkContent = loadChunkContent.replace('const mainDartJsFileMapJSON = "{}";',`const mainDartJsFileMapJSON = '${JSON.stringify(mainDartJsFileMap)}';`).replace("${baseHref}", `${baseHref}`);const parseRes = transform(loadChunkContent, {presets: ["@babel/preset-env"],});const terserRes = minify_sync(parseRes.code, {compress: true,mangle: true,output: {beautify: false,comments: false,},});if (!fs.existsSync(path.resolve(buildOutPath, "script")))fs.mkdirSync(path.resolve(buildOutPath, "script"));const loadChunkJsHash = getFileMD5({ fileContent: terserRes.code });fs.writeFileSync(path.resolve(buildOutPath, `./script/loadChunk.${loadChunkJsHash}.js`),Buffer.from(terserRes.code));// 替换 flutter.js 里的 _createScriptTagconst pattern = /_createScriptTag([w,]+){(.*?)}/;const flutterJsPath = path.resolve(buildOutPath, "./flutter.js");let flutterJsContent = fs.readFileSync(flutterJsPath).toString();flutterJsContent = flutterJsContent.replace(pattern, (match, p1) => {return `_createScriptTag(){let t=document.createElement("script");t.type="application/javascript";t.src='${baseHref}script/loadChunk.${loadChunkJsHash}.js';return t}`;});// flutter js 加 hashfs.writeFileSync(flutterJsPath, Buffer.from(flutterJsContent));const flutterJsHashName = `flutter.${getFileMD5({fileContent: flutterJsContent,})}.js`;fs.renameSync(flutterJsPath, path.resolve(buildOutPath, flutterJsHashName));// 替换 index.html 内容const bridgeScript = `<script src="${flutterJsHashName}" defer></script>`;const htmlPath = path.resolve(buildOutPath, "./index.html");let htmlText = fs.readFileSync(htmlPath).toString();const headEndIndex = htmlText.indexOf("</head>");htmlText =htmlText.substring(0, headEndIndex) +bridgeScript +htmlText.substring(headEndIndex);fs.writeFileSync(htmlPath, Buffer.from(htmlText));}
}

存在问题

目前只处理的 main.dart_chunk_i.js 等分片文件,未对延迟加载文件、图片、字体等文件进行处理。

参考文章

Flutter Web 在《一起漫部》的性能优化探索与实践

Flutter for Web 首次首屏优化——JS 分片优化

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/pingmian/64931.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Java 8使用Stream流去除一个list中包含另一个list已存在的某个字段的对象

项目场景&#xff1a; 在Java中&#xff0c;我们经常会遇到需要对List中的数据进行操作的情况。有时候&#xff0c;我们需要从一个List中删除另一个List已经包含的数据。这种情况下&#xff0c;我们可以使用Java Stream来简洁高效地完成操作。 代码示例 假设我们有两个对象列表…

哪些产品可以做FSC森林认证?

FSC森林认证 FSC即森林管理委员会&#xff08;FSC-Forest Stewardship Council&#xff09;的英文缩写&#xff0c;一些民间环保组织、非政府组织以及社会责任感强的企业共同发起并逐渐形成了森林认证。 FSC认证是森林认证&#xff0c;又叫木材认证或统称为认证&#xff0c;是一…

KingbaseES(金仓数据库)入门学习

前言 金仓是一种多进程架构&#xff0c;每一个连接到服务器的会话&#xff0c;在服务器上面都会为该会话分配进程 图形化界面管理 新建数据库名 然后新建一个模式 再创建一个表 新建一个表&#xff0c;然后设置列名 记得要保存 查询数据 也可以新建数据表&#xff0c;用命令…

前端导出PDF的组件及方法

前端导出PDF的组件及方法 在Web应用程序中&#xff0c;导出PDF文件是一项常见的需求。无论是为了打印、分享还是存档&#xff0c;能够将网页内容转换为PDF格式都非常有用。幸运的是&#xff0c;前端开发者有多种方法和组件可以实现这一功能。在本文中&#xff0c;我们将详细介…

基于Springboot的数字科技风险报告管理系统

博主介绍&#xff1a;java高级开发&#xff0c;从事互联网行业六年&#xff0c;熟悉各种主流语言&#xff0c;精通java、python、php、爬虫、web开发&#xff0c;已经做了多年的设计程序开发&#xff0c;开发过上千套设计程序&#xff0c;没有什么华丽的语言&#xff0c;只有实…

UDP Ping程序实现

第1关:Ping服务端创建UDP套接字 # UDPPingerServer.py from socket import * ########## Begin ##########serverSocket = socket(AF_INET, SOCK_DGRAM) serverSocket.bind(("0.0.0.0",12000)) ########## End ##########print( serverSocket) 第2关:接收并转发…

【大模型】ChatGPT 打造个人专属GPTs助手使用详解

目录 一、前言 二、GPTs介绍 2.1 GPTs是什么 2.2 GPTs工作原理 2.3 GPTs 主要功能 2.4 GPTs 应用场景 2.5 GPTs 优缺点 三、GPTs 创建个人专属应用操作过程 3.1 内置GPTs模板 3.1.1 内置GPTs使用过程 3.2 手动配置方式创建 GPTs 3.2.1 创建过程 3.3 使用对话方式创…

南海信息学竞赛高频考查点系列-1枚举2下标记数3部分和

这套题包含了历年真题&#xff0c;十分重要&#xff01;&#xff01;&#xff01;&#xff01;要考试的同学可以参考一下&#xff01;&#xff01; 此套题限时3小时。 #A. C05.L05.枚举及优化&#xff08;二&#xff09;.课堂练习4.线段覆盖 题目描述 在一条数轴上&#xf…

【最后203篇系列】001 - 2024回顾

说明 最早在CSDN上写文章有两个目的&#xff1a; 1 自己梳理知识&#xff0c;以备日后查用2 曾经从别人的文章中得到过帮助&#xff0c;所以也希望能给人帮助 所以在这个过程中&#xff0c;我的文章基本上完全是原创&#xff0c;也非常强调落地与工程化。在不断写作的过程中…

地理数据库Telepg面试内容整理-基础技术栈

以下是围绕 Telepg地理数据库 的基础技术栈详细整理,包括数据库技术、空间索引、数据格式、查询与优化、开发语言与框架等内容,帮助构建与地理信息系统(GIS)相关的全面知识体系。 数据库技术 (1) 关系型数据库 ● PostgreSQL: ○

Java旅程(五)Spring 框架与微服务架构 了解 JVM 内部原理和调优

在现代企业级应用中&#xff0c;Spring 框架和微服务架构已经成为主流技术&#xff0c;而 Java 虚拟机&#xff08;JVM&#xff09;的理解和调优对于保证应用的高性能和稳定性也至关重要。本篇博客将深入讲解 Spring 框架与微服务架构&#xff0c;并进一步探讨 JVM 内部原理和调…

java后端传时间戳给前端的三种方式

一. 后端传时间戳给前端的几种方式 使用System.currentTimeMillis() 这是最简单的方式&#xff0c;返回自1970年1月1日&#xff08;UTC&#xff09;以来的毫秒数&#xff0c;可以直接传递给前端。 long timestamp1 System.currentTimeMillis();使用java.time.Instant Java…

Cobalt Strike 4.8 用户指南-第十四节 Aggressor 脚本

14.1、什么是Aggressor脚本 Aggressor Script 是Cobalt Strike 3.0版及更高版本中内置的脚本语言。Aggressor 脚本允许你修改和扩展 Cobalt Strike 客户端。 历史 Aggressor Script 是 Armitage 中开源脚本引擎Cortana的精神继承者。Cortana 是通过与 DARPA 的网络快速跟踪计…

Vue(四)

1.Vuex 1.1 Vuex是什么 Vuex 是一个插件&#xff0c;可以帮我们管理 Vue 通用的数据。例如&#xff1a;购物车数据、个人信息数据。 1.2 vuex的使用 1.安装 vuex 安装 vuex 与 vue-router 类似&#xff0c;vuex 是一个独立存在的插件&#xff0c;如果脚手架初始化没有选 v…

基础9 CRTP 与 Expression Templates

目录 一、奇异递归模版(CRTP) 二、表达式模板 &#x1f349; 概要 &#x1f347; 奇异递归模板模式&#xff08;CRTP&#xff09; 动机与原理 &#x1f353; 表达式模板&#xff08;Expression Templates&#xff09; 动机与原理 &#x1f348; 示例代码 &#x1f35…

如何在K8S集群中查看和操作Pod内的文件?

文章目录 一、理解Kubernetes中的Pod二、查看Pod内的文件三、操作Pod内的文件四、高级技巧五、常见问题与解决方案 在Kubernetes&#xff08;K8s&#xff09;集群中&#xff0c;Pod是最小的可部署单元&#xff1b; 一、理解Kubernetes中的Pod 在Kubernetes中&#xff0c;Pod是…

Zed调试宏 C语言错误日志 异常错误调试信息

1、C中的错误码 在C语言中通过返回错误码或设置全局的errno值来反馈错误问题。errno.h是一个头文件&#xff0c;它定义了一个全局变量errno&#xff0c;用于在程序中记录和报告错误的原因。这个机制主要用于处理系统调用或标准库函数出错时的错误反馈。当系统调用或库函数…

spring mvc | servlet :serviceImpl无法自动装配 UserMapper

纯注解SSM整合 解决办法&#xff1a; 在MybatisConfig添加 Configuration MapperScan("mapper")

分布式协同 - 分布式事务_TCC解决方案

文章目录 导图Pre流程图2PC VS 3PC VS TCC2PC&#xff08;Two-Phase Commit&#xff0c;二阶段提交&#xff09;3PC&#xff08;Three-Phase Commit&#xff0c;三阶段提交&#xff09;TCC&#xff08;Try-Confirm-Cancel&#xff09;2PC、3PC与TCC的区别2PC、3PC与TCC的联系 导…

源码分析之Openlayers中MousePosition鼠标位置控件

概述 本文主要介绍 Openlayers 中的MousePosition鼠标位置控件&#xff0c;该控件会创建一个元素在页面的右上方用来实时显示鼠标光标的位置坐标。该控件在实际应用很有效&#xff0c;可以实时获取鼠标位置&#xff0c;但是一般控件元素都会自定义。 源码分析 MousePosition…