web API
基础
new URL(url, import.meta.url)
- 示例代码:js
// 1 const imgUrl = new URL('./img.png', import.meta.url).href document.getElementById('hero-img').src = imgUrl // 2支持动态 function getImageUrl(name) { return new URL(`./dir/${name}.png`, import.meta.url).href }
- new URL(url, base)
- url:一个表示绝对或相对 URL
- base:一个表示基准 URL 的字符串,当 url 为相对 URL 时,它才会生效
- new URL(
./dir/${name}.png
, import.meta.url)
- import.meta.url
- import.meta.url 是一个 ESM 的原生功能,会暴露
当前模块的 URL
- 在一个项目中 console.log(import.meta.url) =>
http://localhost:8000/xx/src/views/xx.vue?t=172196193xxxx
相当于当前模块的路径所在,作为基准值,第一个参数再为一个相对路径
- import.meta.url 是一个 ESM 的原生功能,会暴露
- import.meta.reslove()js
// Approach 1 console.log(await import("./lib/helper.js")); // Approach 2 const helperPath = import.meta.resolve("./lib/helper.js"); console.log(helperPath); console.log(await import(helperPath));
jsconst helperPath = import.meta.resolve("./lib/helper.js"); console.log(helperPath); // 相同 const helperPath = new URL("./lib/helper.js", import.meta.url).href; console.log(helperPath);
- 参考:
- new URL()
- URL
- import.meta 元属性将特定上下文的元数据暴露给 JavaScript 模块,vite 在原生的基础上拓展了功能,例如 import.meta.env
- 在 esm 中路径解析,参考 import.metajs
// 之前(CommonJS): const fs = require('fs/promises') const path = require('path') const filePath = path.join(__dirname, 'someFile.txt') fs.readFile(filePath, 'utf8').then(console.log) // 之后(ES 模块): import fs from 'node:fs/promises' const fileURL = new URL('./someFile.txt', import.meta.url) fs.readFile(fileURL, 'utf8').then(console.log)
requestAnimationFrame / cancelAnimationFrame() &I
requestAnimationFrame(callback)
- callback 该函数会在下一次重绘更新你的动画时被调用到
- 这个回调函数只会传递一个参数:一个 DOMHighResTimeStamp 参数,用于表示上一帧渲染的结束时间(基于 time origin 的毫秒数)
- 请求 ID 是一个 long 类型整数值,是在回调列表里的唯一标识符。window.cancelAnimationFrame() 取消该刷
vue
<template>
<div id="requestAnimationFrame" style="width: 100px; height: 100px; background-color: red;"></div>
</template>
<script setup>
import { onMounted } from 'vue'
onMounted(() => {
test()
})
let num = 0
const test = () => {
// 多次调用会多次执行 step 回调
const element = document.getElementById("requestAnimationFrame");
element.style.transform = `translateX(0px)`;
let start, previousTimeStamp;
let done = false;
num ++
function step(timestamp) {
// 多调取的回调,timestamp是相同的
// 后边计算的位置是相同的
// 所以显示的element的位置和调取一次test是一样的
if (start === undefined) {
start = timestamp;
}
console.log(num)
const elapsed = timestamp - start;
// console.log(elapsed);
if (previousTimeStamp !== timestamp) {
// 这里使用 Math.min() 确保元素在恰好位于 200px 时停止运动
const count = Math.min(0.1 * elapsed, 200);
// console.log(count);
element.style.transform = `translateX(${count}px)`;
if (count === 200) done = true;
}
if (elapsed < 2000) {
// 2 秒之后停止动画
previousTimeStamp = timestamp;
if (!done) {
window.requestAnimationFrame(step);
}
}
}
window.requestAnimationFrame(step);
// const myReq = window.requestAnimationFrame(step);
// 取消操作使用的是最后一个 requestId
// cancelAnimationFrame(myReq);
}
defineExpose({
test
})
</script>
MutationObserver
- MutationObserver 接口提供了监视对 DOM 树所做更改的能力
vue
<template>
<div id="mutationObserver">
111
</div>
</template>
<script lang="ts" setup>
import { onMounted } from 'vue'
onMounted(() => {
// 选择需要观察变动的节点
const targetNode = document.getElementById("mutationObserver");
// 观察器的配置(需要观察什么变动)
const config = { attributes: true, childList: true, subtree: true };
// 当观察到变动时执行的回调函数
const callback = function (mutationsList, observer) {
// Use traditional 'for loops' for IE 11
for (let mutation of mutationsList) {
if (mutation.type === "childList") {
console.log("A child node has been added or removed.");
} else if (mutation.type === "attributes") {
console.log("The " + mutation.attributeName + " attribute was modified.");
}
}
};
// 创建一个观察器实例并传入回调函数
const observer = new MutationObserver(callback);
// 以上述配置开始观察目标节点
observer.observe(targetNode, config);
// 之后,可停止观察
// observer.disconnect();
})
const test = () => {
const targetNode = document.getElementById("mutationObserver");
targetNode.innerHTML = '333'
}
defineExpose({
test
})
</script>
<style lang="scss" scoped></style>
111
queueMicrotask
- 当创建该微任务的函数执行之后,并且只有当 Javascript 调用栈为空,
- 而控制权尚未返还给被用户代理用来驱动脚本执行环境的事件循环之前,该微任务才会被执行。
vue
<template>
<div>
</div>
</template>
<script lang="ts" setup>
const test = () => {
console.log('1')
queueMicrotask(() => {
console.log('3')
queueMicrotask(() => {
console.log('3-1')
})
})
Promise.resolve().then(() => {
console.log('4')
setTimeout(() => {
console.log('6')
}, 0)
}).then(() => {
console.log('4-1')
})
setTimeout(() => {
console.log('5')
}, 0);
console.log('2')
}
defineExpose({
test
})
</script>
IntersectionObserver &I
vue
<template>
<div>
<div
v-for="n in 2"
:key="n"
class="box"
></div>
<div>
<div ref="example1" id="example1"></div>
<div ref="example2" id="example2"></div>
</div>
</div>
</template>
<script setup>
import { ref, onMounted, onBeforeUnmount } from 'vue'
const example1 = ref(null)
const example2 = ref(null)
let io = null
let io2 = null
onMounted(() => {
io = new IntersectionObserver((entries) => {
console.log(1, entries)
})
io2 = new IntersectionObserver((entries) => {
console.log(2, entries)
})
if (example1.value) io.observe(example1.value)
if (example2.value) io2.observe(example2.value)
})
onBeforeUnmount(() => {
if (io && example1.value) io.unobserve(example1.value)
if (io2 && example2.value) io2.unobserve(example2.value)
io && io.disconnect()
io2 && io2.disconnect()
})
</script>
<style scoped>
.box {
width: 100px;
height: 100px;
margin: 10px;
background-color: aqua;
}
#example1,
#example2 {
width: 100px;
height: 100px;
margin: 10px;
background-color: blueviolet;
}
</style>
localStorage / sessionStorage / cookie &I
localStorage
jslocalStorage.setItem("myCat", "Tom"); let cat = localStorage.getItem("myCat"); localStorage.removeItem("myCat"); // 移除所有 localStorage.clear();
- Expires(截止日期)
- Max-Age(相对时间)(优先)
- Domain/Path Cookie 所属的域名和路径
- HttpOnly Cookie 只能通过浏览器 HTTP 协议传输,禁用 js document.cookie
- SameSite=Strict Cookie 不能随着跳转链接跨站发送
- SameSite=Lax 允许 GET/HEAD 等安全方法,但禁止 POST 跨站发送
- Secure 仅能用 HTTPS 协议加密传输, HTTP 协议会禁止发送
jsconst allCookies = document.cookie; document.cookie = "path=/mydir;domain=example.com";
区别:
- localStorage:
- 只保存在客户端,不会自动发送给服务器;
- 存储在 localStorage 的数据可以长期保留;
- 通常为5MB到10MB
- 同步操作
- sessionStorage:
- 当页面被关闭时,存储在 sessionStorage 的数据会被清除。
- cookie:
- 用户与服务端数据传输;当浏览器关闭时,会话Cookie会被删除。
- 持久Cookie:持久Cookie会保存在用户的硬盘上,直到过期时间到达或用户手动删除。
- 可以通过设置Expires或Max-Age属性来指定过期时间。
- 通常为4KB左右。
- localStorage:
token为什么要保存在localStorge,为什么不用cookie
- 安全性问题:
- Cookie 容易受到跨站请求伪造(CSRF)攻击。(通过设置 SameSite 属性来缓解 CSRF 攻击)
- localStorage 最主要的风险是容易受到 XSS 攻击,HttpOnly Cookie 中可以防止客户端 JavaScript 访问 Token
- 性能:
- Cookie 会随着每次 HTTP 请求自动发送到服务器,这会增加请求的大小,降低性能。
- 存储:
- Cookie 的大小限制通常为 4KB,localStorage 提供的存储容量通常比 Cookie 大
- 安全性问题:
参考:
- 一个小框架:一个完整支持 unicode 的 cookie 读取/写入器 通过定义一个和 Storage 对象部分一致的对象,简化cookie的操作
- Cookies and security
TextEncoder / TextDecoder
TextEncoder
- 接受码位流作为输入,并提供 UTF-8 字节流作为输出
- encodejs
// 1、TextEncoder utf-8 const textEncoder = new TextEncoder(); let encoded = textEncoder.encode("Ï"); console.log(encoded); const textDecoder = new TextDecoder(); const decoded = textDecoder.decode(encoded); console.log(decoded); // 2、TextEncoder 非utf-8,只能utf-8 const textEncoder1 = new TextEncoder("windows-1251"); // 并不生效 const encoded1 = textEncoder1.encode("Привет, мир!"); const encoded2 = textEncoder.encode("Привет, мир!"); console.log(encoded1); console.log(encoded2);
js// 当时不理解,为什么对base64解码的密钥的二进制字节流的处理 // 1、超码位的情况,这种二进制字符串不会有(0-255) // 2、二进制字符处理是基于utf-16的,而 new TextEncoder().encode()是utf-8的实现不同 // 以下是chartgpt 提供实现思路,增强版的与str2ab,结果与源码不一样,为什么不一样呢?因为无论如何实现都是基于,utf-16的实现,应该是这样 function encodeStringToUtf8ByteArray(str) { const utf8Bytes = []; for (let i = 0; i < str.length; i++) { const codePoint = str.codePointAt(i); if (codePoint < 0x80) { utf8Bytes.push(codePoint); } else if (codePoint < 0x800) { utf8Bytes.push((codePoint >> 6) | 0xc0); utf8Bytes.push((codePoint & 0x3f) | 0x80); } else if (codePoint < 0x10000) { utf8Bytes.push((codePoint >> 12) | 0xe0); utf8Bytes.push(((codePoint >> 6) & 0x3f) | 0x80); utf8Bytes.push((codePoint & 0x3f) | 0x80); } else { utf8Bytes.push((codePoint >> 18) | 0xf0); utf8Bytes.push(((codePoint >> 12) & 0x3f) | 0x80); utf8Bytes.push(((codePoint >> 6) & 0x3f) | 0x80); utf8Bytes.push((codePoint & 0x3f) | 0x80); } } return new Uint8Array(utf8Bytes); } encodeStringToUtf8ByteArray("𠮷") // [240, 160, 174, 183, 237, 190, 183] let str = "𠮷"; // new TextEncoder().encode() 底层是基于utf-8的 let uint8Array = = new TextEncoder().encode(str); console.log("𠮷 uint8Array", uint8Array); // [240, 160, 174, 183]
- encodeInto
- TextEncoder.encodeInto() 方法接受一个要编码的字符串和一个目标 Uint8Array,将生成的 UTF-8 编码的文本放入目标数组中,并返回一个指示编码进度的字典对象。
- 这相比于旧的 encode() 方法性能更高——尤其是当目标缓冲区是 WASM 堆视图时。
TextDecoder
- 接口表示一个文本解码器,一个解码器只支持一种特定文本编码,例如 UTF-8、ISO-8859-2、KOI8-R、GBK,等等。
- 解码器将字节流作为输入,并提供码位流作为输出(从技术上说,字符串的每个字符对应的是 Unicode 码位,因此可以视作“码位流的表示”。)
- decodejs
// 3、TextDecoder utf-8 let utf8decoder = new TextDecoder(); // default 'utf-8' or 'utf8' let u8arr = new Uint8Array([240, 160, 174, 183]); let i8arr = new Int8Array([-16, -96, -82, -73]); let u16arr = new Uint16Array([41200, 47022]); let i16arr = new Int16Array([-24336, -18514]); let i32arr = new Int32Array([-1213292304]); console.log(utf8decoder.decode(u8arr)); console.log(utf8decoder.decode(i8arr)); console.log(utf8decoder.decode(u16arr)); console.log(utf8decoder.decode(i16arr)); console.log(utf8decoder.decode(i32arr)); // 4、TextDecoder 非utf-8 const win1251decoder = new TextDecoder("windows-1251"); const bytes = new Uint8Array([207, 240, 232, 226, 229, 242, 44, 32, 236, 232, 240, 33]); console.log(win1251decoder.decode(bytes)); // Привет, мир!
功能
window
window.open
window.getSelection
返回一个 Selection 对象,表示用户选择的文本范围或光标的当前位置。
js
let selObj = window.getSelection();
var selectedText = selObj.toString();
- 插入光标的位置可通过 Selection 获取,这时它被标记为 Collapsed
- anchor 指向用户开始选择的地方,而 focus 指向用户结束选择的地方。
- anchor 就指向你按下鼠标键的地方,而 focus 就指向你松开鼠标键的地方。
- anchor 和 focus 的概念不能与选区的起始位置和终止位置混淆 Selection 对象所对应的是用户所选择的 ranges(区域),俗称拖蓝。默认情况下,该函数只针对一个区域,我们可以这样使用这个函数:
js
var selObj = window.getSelection();
var range = selObj.getRangeAt(0);
参考:
Console
console.log
js
// 可以使用 %c 为打印内容定义样式:
console.log(
"This is %cMy stylish message",
"color: yellow; font-style: italic; background-color: blue;padding: 2px",
);
- 参考
通信
iframe
html
<!-- index.html -->
<iframe src="child.html" id="myIframe"></iframe>
<script>
// 监听
window.addEventListener('message', (event) => {
if (event.origin !== 'https://your-iframe-origin.com') return; // 验证来源
console.log('收到来自 iframe 的消息:', event.data);
});
// 发送
const iframe = document.getElementById('myIframe');
iframe.contentWindow.postMessage('Hello from parent', 'https://your-iframe-origin.com');
</script>
js
// iframe.html
// 发送
window.parent.postMessage('Hello from iframe', 'https://your-parent-origin.com');
// 接受
window.addEventListener('message', (event) => {
if (event.origin !== 'https://your-parent-origin.com') return; // 验证来源
console.log('收到父页面的消息:', event.data);
});
web Worker
专用 worker
js
// index.html
const myWorker = new Worker("worker.js");
// first 代表 2 个 <input> 元素
first.onchange = () => {
myWorker.postMessage([first.value, second.value]);
console.log("Message posted to worker");
};
myWorker.onmessage = (e) => {
result.textContent = e.data;
console.log("Message received from worker");
// 终止 worker
// myWorker.terminate();
};
// worker.js
onmessage = (e) => {
// 接受消息
console.log("Message received from main script");
const workerResult = `Result: ${e.data[0] * e.data[1]}`;
console.log("Posting message back to main script");
// 发送消息
postMessage(workerResult);
};
SharedWorker
一个共享 worker 可以被多个脚本使用——即使这些脚本正在被不同的 window、iframe 或者 worker 访问
js
// index1.html / index2.html
const myWorker = new SharedWorker("worker.js");
squareNumber.onchange = () => {
// 发送消息
myWorker.port.postMessage([squareNumber.value, squareNumber.value]);
console.log("Message posted to worker");
};
// 接受消息
myWorker.port.onmessage = (e) => {
result2.textContent = e.data;
console.log("Message received from worker");
};
// woker.js
onconnect = (e) => {
const port = e.ports[0];
port.onmessage = (e) => {
const workerResult = `Result: ${e.data[0] * e.data[1]}`;
port.postMessage(workerResult);
};
};
MessageChannel / MessagePort
不同的脚本直接通信,通过两端都有端口的双向频道(或管道)相互传递消息。
js
// index.html
const input = document.getElementById("message-input");
const output = document.getElementById("message-output");
const button = document.querySelector("button");
const iframe = document.querySelector("iframe");
const channel = new MessageChannel();
const port1 = channel.port1;
// 等待 iframe 加载
iframe.addEventListener("load", onLoad);
function onLoad() {
// 监听按钮点击
button.addEventListener("click", onClick);
// 在 port1 监听消息
port1.onmessage = onMessage;
// 把 port2 传给 iframe
iframe.contentWindow.postMessage("init", "*", [channel.port2]);
}
// 当按钮点击时,在 port1 上发送一个消息
function onClick(e) {
e.preventDefault();
// 发送消息
port1.postMessage(input.value);
}
// 处理 port1 收到的消息
function onMessage(e) {
output.innerHTML = e.data;
input.value = "";
}
js
// iframe
const list = document.querySelector("ul");
let port2;
// 监听初始的端口传递消息
window.addEventListener("message", initPort);
// 设置传递过来的端口
function initPort(e) {
port2 = e.ports[0];
port2.onmessage = onMessage;
}
// 处理 port2 收到的消息
function onMessage(e) {
const listItem = document.createElement("li");
listItem.textContent = e.data;
list.appendChild(listItem);
// 发送消息
port2.postMessage(`IFrame 收到的消息:“${e.data}”`);
}
其他设备
- WebXR API VR/AR
- WebVR API VR
- WebGPU GPU
- WebRTC RTC
- Web Audio API 音频上下文
- WebCodecs 视频、音频底层
- Web Speech API 语音
- Web Bluetooth API 蓝牙
- WebUSB API usb