如何使用jQuery设置/取消设置cookie?

2022-08-29 22:02:45

如何使用jQuery设置和取消设置cookie,例如创建一个名为的cookie并将值设置为?test1


答案 1

2019 年 4 月更新

cookie读取/操作不需要jQuery,因此不要使用下面的原始答案。

转到 https://github.com/js-cookie/js-cookie,并使用不依赖于jQuery的库。

基本示例:

// Set a cookie
Cookies.set('name', 'value');

// Read the cookie
Cookies.get('name') => // => 'value'

有关详细信息,请参阅 github 上的文档。


2019年4月以前(旧)

请参阅插件:

https://github.com/carhartl/jquery-cookie

然后,您可以执行以下操作:

$.cookie("test", 1);

要删除:

$.removeCookie("test");

此外,要在 Cookie 上设置特定天数(此处为 10 天)的超时::

$.cookie("test", 1, { expires : 10 });

如果省略 expires 选项,则该 Cookie 将成为会话 Cookie,并在浏览器退出时被删除。

要涵盖所有选项:

$.cookie("test", 1, {
   expires : 10,           // Expires in 10 days

   path    : '/',          // The value of the path attribute of the cookie
                           // (Default: path of page that created the cookie).

   domain  : 'jquery.com', // The value of the domain attribute of the cookie
                           // (Default: domain of page that created the cookie).

   secure  : true          // If set to true the secure attribute of the cookie
                           // will be set and the cookie transmission will
                           // require a secure protocol (defaults to false).
});

要回读 Cookie 的值,请执行以下操作:

var cookieValue = $.cookie("test");

更新(2015 年 4 月):

如下面的评论所述,处理原始插件的团队已经在一个新项目(https://github.com/js-cookie/js-cookie)中删除了jQuery依赖项,该项目具有与jQuery版本相同的功能和一般语法。显然,原始插件不会去任何地方。


答案 2

没有必要特别使用jQuery来操纵cookie。

来自 QuirksMode(包括转义字符)

function createCookie(name, value, days) {
    var expires;

    if (days) {
        var date = new Date();
        date.setTime(date.getTime() + (days * 24 * 60 * 60 * 1000));
        expires = "; expires=" + date.toGMTString();
    } else {
        expires = "";
    }
    document.cookie = encodeURIComponent(name) + "=" + encodeURIComponent(value) + expires + "; path=/";
}

function readCookie(name) {
    var nameEQ = encodeURIComponent(name) + "=";
    var ca = document.cookie.split(';');
    for (var i = 0; i < ca.length; i++) {
        var c = ca[i];
        while (c.charAt(0) === ' ')
            c = c.substring(1, c.length);
        if (c.indexOf(nameEQ) === 0)
            return decodeURIComponent(c.substring(nameEQ.length, c.length));
    }
    return null;
}

function eraseCookie(name) {
    createCookie(name, "", -1);
}

看看