我只是试着用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)
    }
};


Coockie功能:

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;
    }
}

最佳答案

一些问题:


从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.');
    }
};

10-06 10:59