HTML5 离线缓存(Application Cache)详解
HTML5 的离线缓存(Application Cache 或 AppCache)允许 web 应用在用户离线时仍可访问,通过缓存必要的资源文件实现离线功能。虽然现代开发中已逐渐被 Service Worker 取代,但了解其原理仍有价值。
基本原理
实现步骤
1. 创建缓存清单文件
示例 manifest.appcache
文件内容:
CACHE MANIFEST
# v1.0.0 - 2019-01-01
# 注释以#开头,版本号更新会触发缓存更新
CACHE:
# 需要缓存的资源
/css/style.css
/js/app.js
/images/logo.png
/index.html
NETWORK:
# 需要在线访问的资源(可使用通配符*)
/api/
FALLBACK:
# 离线时的替代资源
/offline.html
/images/ /offline-image.png
2. 在HTML中关联清单文件
<!DOCTYPE html>
<html manifest="manifest.appcache">
<head>
<title>离线应用</title>
<link rel="stylesheet" href="/css/style.css">
</head>
<body>
<!-- 页面内容 -->
<script src="/js/app.js"></script>
</body>
</html>
window.applicationCache.update();
var appCache = window.applicationCache;
appCache.addEventListener('checking', function() {
console.log('正在检查清单更新');
});
appCache.addEventListener('noupdate', function() {
console.log('没有发现更新');
});
appCache.addEventListener('downloading', function() {
console.log('开始下载缓存资源');
});
appCache.addEventListener('progress', function(e) {
console.log('下载进度: ' + e.loaded + '/' + e.total);
});
appCache.addEventListener('cached', function() {
console.log('应用已完全缓存');
});
appCache.addEventListener('updateready', function() {
if (confirm('新版本已下载,是否立即更新?')) {
appCache.swapCache(); // 交换新旧缓存
location.reload(); // 重新加载页面
}
});
appCache.addEventListener('error', function(e) {
console.error('缓存错误:', e);
});
现代Web开发中,更推荐使用Service Worker实现离线功能:
// 注册Service Worker
if ('serviceWorker' in navigator) {
navigator.serviceWorker.register('/sw.js')
.then(registration => {
console.log('ServiceWorker注册成功');
});
}
// sw.js示例
self.addEventListener('install', event => {
event.waitUntil(
caches.open('v1').then(cache => {
return cache.addAll([
'/',
'/index.html',
'/css/style.css',
'/js/app.js'
]);
})
);
});
self.addEventListener('fetch', event => {
event.respondWith(
caches.match(event.request).then(response => {
return response || fetch(event.request);
})
);
});
虽然APPcache正在被淘汰,但在某些简单场景或需要支持老旧浏览器时,仍可作为一种简单的离线解决方案。
Copyright © 2009-2025 viuoo.com