1. 在客户端存储数据
1.1. html5提供了两种在客户端存储数据的新方法:
1.1.1. localStorage: 没有时间限制的数据存储。
1.1.2. sessionStorage: 针对一个session的数据存储。
1.2. 之前, 这些都是由cookie完成的。但是cookie不适合大量数据的存储, 因为它们由每个服务器请求来传递, 这使得cookie速度很慢而且效率也不高。
1.3. 在html5中, 数据不是由每个服务器请求传递的, 而是只有在请求时使用数据。它使在不影响网站性能的情况下存储大量数据成为可能。
1.4. 对于不同的网站, 数据存储于不同的区域, 并且一个网站只能访问其自身的数据。
1.5. html5使用JavaScript来存储和访问数据。
2. localStorage方法
2.1. localStorage方法存储的数据没有时间限制。第二天、第二周或下一年之后, 数据依然可用。
2.2. 如何创建和访问localStorage:
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<title>localStorage方法</title>
</head>
<body>
<script type="text/javascript">
// 检查浏览器支持
if (typeof(Storage) !== "undefined") {
localStorage.lastname = "Smith";
document.write(localStorage.lastname + '<br />');
// 储存localStorage数据
localStorage.setItem("lastname", "Gates");
// 访问localStorage数据
document.write(localStorage.getItem("lastname"));
} else {
document.write("抱歉! 您的浏览器不支持Web Storage...");
}
</script>
</body>
</html>
2.3. 下面的例子对用户访问页面的次数进行计数:
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<title>localStorage方法页面访问次数</title>
</head>
<body>
<script type="text/javascript">
if (typeof(Storage) !== "undefined") {
if (localStorage.pagecount) {
localStorage.pagecount = Number(localStorage.pagecount) + 1;
} else {
localStorage.pagecount = 1;
}
document.write("Visits: " + localStorage.pagecount + " time(s).");
} else {
document.write("抱歉! 您的浏览器不支持Web Storage...");
}
</script>
<p>刷新页面会看到计数器在增长。</p>
<p>请关闭浏览器窗口, 然后再试一次, 计数器会继续计数。</p>
</body>
</html>
3. sessionStorage方法
3.1. sessionStorage方法针对一个session进行数据存储。当用户关闭浏览器窗口后, 数据会被删除。
3.2. 如何创建并访问一个sessionStorage:
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<title>sessionStorage方法</title>
</head>
<body>
<div id="result"></div>
<script>
// 检查浏览器支持
if (typeof(Storage) !== "undefined") {
sessionStorage.lastname = "Smith";
document.write(sessionStorage.lastname + '<br />');
// 储存sessionStorage数据
sessionStorage.setItem("firstname", "Gates");
// 访问sessionStorage数据
document.write(sessionStorage.getItem("firstname"));
} else {
document.write("抱歉! 您的浏览器不支持Web Storage...");
}
</script>
</body>
</html>
3.3. 下面的例子对用户访问页面的次数进行计数:
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<title>sessionStorage方法页面访问次数</title>
</head>
<body>
<script type="text/javascript">
if (typeof(Storage) !== "undefined") {
if (sessionStorage.pagecount){
sessionStorage.pagecount = Number(sessionStorage.pagecount) + 1;
} else {
sessionStorage.pagecount = 1;
}
document.write("Visits: " + sessionStorage.pagecount + " time(s).");
} else {
document.write("抱歉! 您的浏览器不支持Web Storage...");
}
</script>
<p>刷新页面会看到计数器在增长。</p>
<p>请关闭浏览器窗口, 然后再试一次, 计数器已经重置了。</p>
</body>
</html>