知道 cookie是否具有值或存在的更短和更快的方法是什么?
我用它来知道是否存在:
document.cookie.indexOf('COOKIENAME=')== -1
这知道是否有价值
document.cookie.indexOf('COOKIENAME=VALUE')== -1
好点?这种方法有什么问题吗?
知道 cookie是否具有值或存在的更短和更快的方法是什么?
我用它来知道是否存在:
document.cookie.indexOf('COOKIENAME=')== -1
这知道是否有价值
document.cookie.indexOf('COOKIENAME=VALUE')== -1
好点?这种方法有什么问题吗?
显然:
document.cookie.indexOf("COOKIENAME=VALUE");
对我来说,速度更快,但只有一点点。
正如测试所示,令人惊讶的是,首先将 cookie 拆分为数组会更快:
document.cookie.split(";").indexOf("COOKIENAME=VALUE");
我建议编写一个小辅助函数来避免评论中提到的 zzzzBov
function getCookie (name,value) {
if(document.cookie.indexOf(name) == 0) //Match without a ';' if its the firs
return -1<document.cookie.indexOf(value?name+"="+value+";":name+"=")
else if(value && document.cookie.indexOf("; "+name+"="+value) + name.length + value.length + 3== document.cookie.length) //match without an ending ';' if its the last
return true
else { //match cookies in the middle with 2 ';' if you want to check for a value
return -1<document.cookie.indexOf("; "+(value?name+"="+value + ";":name+"="))
}
}
getCookie("utmz") //false
getCookie("__utmz" ) //true
但是,这似乎有点慢,所以给它一种拆分它们的另一种方法这是另外两种可能性
function getCookie2 (name,value) {
var found = false;
document.cookie.split(";").forEach(function(e) {
var cookie = e.split("=");
if(name == cookie[0].trim() && (!value || value == cookie[1].trim())) {
found = true;
}
})
return found;
}
这个,使用原生的 forEach 循环并拆分 cookie 数组
function getCookie3 (name,value) {
var found = false;
var cookies = document.cookie.split(";");
for (var i = 0,ilen = cookies.length;i<ilen;i++) {
var cookie = cookies[i].split("=");
if(name == cookie[0].trim() && (!value || value == cookie[1].trim())) {
return found=true;
}
}
return found;
};
而这个,使用一个旧的 for 循环,它的优点是如果找到一个 cookie 就可以提前返回 for 循环
看看JSPerf,最后 2 个甚至没有那么慢,只有在真的有一个 cookie 分别具有名称或值时才返回 true
我希望你明白我的意思
我为此使用Jquery cookie 插件。
<script type="text/javascript" src="jquery.cookie.js"></script>
function isCookieExists(cookiename) {
return (typeof $.cookie(cookiename) !== "undefined");
}