javascript cookie 计数器不起作用

javascript counter with cookies doesn't work

我只是尝试用 cookie 制作一个计时器,使按钮只能点击 3 次(我必须用 cookie 来做,因为它会在其过程中刷新页面),我制作了这个计时器,但它不起作用.我的页面上没有任何变化。

我在 //something else happens 的代码被程序执行了。

计时器 -(或者至少我认为可以用作计时器的东西):

mailagain.onclick = function () {
    if (typeof getCookie("countIt") !== 'undefined') {
        if (checkCookie("countIt") > 3) {
            // something happens
        } else {
            //something else happens
            var counter = checkCookie("countIt") + 1;
            setCookie("countIt", counter, 1)
        }
    } else {
        setCookie("countIt", 1, 1)
    }
};

Cookie 功能:

function setCookie(cname, cvalue, exdays) {
    var d = new Date();
    d.setTime(d.getTime() + (exdays * 24 * 60 * 60 * 1000));
    var expires = "expires=" + d.toUTCString();
    document.cookie = cname + "=" + cvalue + ";" + expires + ";path=/";
}

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

function checkCookie(name) {
    var value = getCookie("name");
    if (value != "") {
        return value;
    }
}
var value = getCookie("name"); 

getCookie 总是 return "undefined" 因为 cookie 名称错误。拆下刹车片。

function checkCookie(name) {
    var value = getCookie(name); //here you go
    if (value != "") {
        return value;
    }
}

一些问题:

  • 从 cookie 中读取值时,请注意它具有字符串数据类型。在与另一个数字比较或加 1 之前,您需要将其转换为数字。
  • 函数 checkCookie 使用了错误的(硬编码的)cookie 名称,但作为函数甚至不是必需的。您可以使用 getCookie.
  • 完成所有这些操作

这是一个工作版本:

mailagain.onclick = function () {
    // make sure to convert to number (unitary plus), or use 0 when it is not a number:
    var counter = (+getCookie("countIt") || 0) + 1;
    setCookie("countIt", counter, 1)
    if (counter > 3) {
        console.log('clicked too many times! (', counter, ')');
    } else {
        console.log('clicked ' + counter + ' number of times.');
    }
};