Cookie 介绍及使用

Cookie 用于存储 web 页面的用户信息。

什么是 Cookie?

Cookie 是一些数据, 存储于你电脑上的文本文件中。

当 web 服务器向浏览器发送 web 页面时,在连接关闭后,服务端不会记录用户的信息。

Cookie 的作用就是用于解决 “如何记录客户端的用户信息”:

  • 当用户访问 web 页面时,他的名字可以记录在 cookie 中。
  • 在用户下一次访问该页面时,可以在 cookie 中读取用户访问记录。

Cookie 以键/值对形式存储,如下所示:

1
username=John Doe

当浏览器从服务器上请求 web 页面时, 属于该页面的 cookie 会被添加到该请求中。服务端通过这种方式来获取用户的信息。

创建Cookie

JavaScript 可以使用 document.cookie 属性来创建 、读取、及删除 cookie

JavaScript 中,创建 cookie 如下所示:

1
document.cookie="username=John Doe";

您还可以为 cookie 添加一个过期时间(以 UTC 或 GMT 时间)。默认情况下,cookie 在浏览器关闭时删除:

1
document.cookie="username=John Doe; expires=Thu, 18 Dec 2043 12:00:00 GMT";

您可以使用 path 参数告诉浏览器 cookie 的路径。默认情况下,cookie 属于当前页面。

1
document.cookie="username=John Doe; expires=Thu, 18 Dec 2043 12:00:00 GMT; path=/";

在 JavaScript 中, 可以使用以下代码来读取 cookie:

1
var x = document.cookie;

document.cookie 将以字符串的方式返回所有的 cookie,类型格式: cookie1=value; cookie2=value; cookie3=value;

在 JavaScript 中,修改 cookie 类似于创建 cookie,如下所示:

1
document.cookie="username=John Smith; expires=Thu, 18 Dec 2043 12:00:00 GMT; path=/";

旧的 cookie 将被覆盖。

删除 cookie 非常简单。您只需要设置 expires 参数为以前的时间即可,如下所示,设置为 Thu, 01 Jan 1970 00:00:00 GMT:

1
document.cookie = "username=; expires=Thu, 01 Jan 1970 00:00:00 GMT";

注意,当您删除时不必指定 cookie 的值。

1
2
3
4
5
6
7
8
function setCookie(key, value, day) {
let d = new Date();
d.setTime(d.getTime() + (day * 24 * 60 * 60 * 1000));
let expires = "expires=" + d.toGMTString();
document.cookie = key + "=" + value + ";" + expires;
}

setCookie('name', '张三', 1);
1
2
3
4
5
6
7
8
9
10
11
function getCookie(key) {
let name = key + "=";
let ca = document.cookie.split(';');
for (let i = 0; i < ca.length; i++) {
let c = ca[i].trim();
if (c.indexOf(name) == 0) return c.substring(name.length, c.length);
}
return "";
}

document.write(getCookie('name'));
1
2
3
4
5
function deleteCookie(key) {
document.cookie = key + "='';expires=Thu, 01 Jan 1970 00:00:00 GMT";
}

deleteCookie('name');
1
2
3
4
5
6
7
8
9
10
11
//检测某个键是否曾在,返回true或flase
function checkCookie(key) {
let name = getCookie(key);
if (name != "") {
return true;
} else {
return false;
}
}

console.log(checkCookie('name'));
海盗船长 wechat
扫码关注我的公众号哟
0%