How To Find Cookies Which Begin With String "word" And Extract Information From String With Char #
I have cookies with values in it, and between values I put # so I can later extract data from cookies. Now I need a way to search for cookies which begin with some word let say 'w
Solution 1:
Two helper functions.
One that decodes the document.cookie
string into an object with keys/values:
functiondecodeCookie() {
var cookieParts = document.cookie.split(";"),
cookies = {};
for (var i = 0; i < cookieParts.length; i++) {
var name_value = cookieParts[i],
equals_pos = name_value.indexOf("="),
name = unescape( name_value.slice(0, equals_pos) ).trim(),
value = unescape( name_value.slice(equals_pos + 1) );
cookies[":" + name] = value;
}
return cookies;
}
one that searches through this object and finds the first value that starts with a certain search word:
functionfindCookieByName(searchWord) {
var cookies = decodeCookie();
for (name in cookies) {
var value = cookies[name];
if (name.indexOf(":" + searchWord) == 0) {
return value;
}
}
}
So you can do:
varvalue = findCookieByName("word");
if (value) {
var pieces = value.split("#"); // > array of values
}
P.S.: I prepend the cookie name with ":"
to prevent clashes with built-in properties of objects. For example: You can name your cookie __proto__
but that wouldn't work too well with JavaScript objects. Hence I store all cookie names with a prefix.
Post a Comment for "How To Find Cookies Which Begin With String "word" And Extract Information From String With Char #"