|
只要你在合理的范圍內使用cookies(不要用它探詢用戶的個人隱私),cookies還是相當實用得。所以我要向你們介紹cookies的工作原理,但是在正式開始之前,我們先談兩個JavaScript內容:有趣的字符串處理以及相關數組。
為什么必須在開始cookies世界漫游之前必須先學習神奇的字符串處理呢?因為cookies也是字符串。要保存訪問者的信息,你必須首先建立一個特殊的cookie字符串。然后在訪問者又返回你的站點時讀取該信息,而此時你必須對該cookie字符串進行解碼。要生成和解釋這些字符串你必須了解JavaScript的字符串工作原理。所以我們必須先要了解字符串。如果你是一個新手,你應該先閱讀一下Javascript初級教程第二課的內容,以下是一個例子:
var normal_monkey = "I am a monkey!<br>";
document.writeln("Normal monkey " + normal_monkey);
var bold_monkey = normal_monkey.bold();
document.writeln("Bold monkey " + bold_monkey);
這里的聲明:
var bold_monkey = normal_monkey.bold();
和下面對聲明是等同的:
var bold_monkey = "<b>" + normal_monkey + "</b>";
第1個版本的聲明看起來要簡明得多。這里用到了字符串對象中的bold對象,其他的字符串對象還有indexOf, charAt, substring, 以及split, 這些方法可以深入字符串的組成結構。首先我們研究一下indexOf。
indexOf
indexOf用于發現一系列的字符在一個字符串中的位置并告訴你子字符串的起始位置。如果一個字符串中不包含該子字符串則indexOf返回"-1." 這里是一個例子:
var the_word = "monkey";
讓我們從單詞 "monkey"開始。
var location_of_m = the_word.indexOf("m");
location_of_m(字母m的位置)將為0,因為字母m位于該字符串的起始位置。var location_of_o = the_word.indexOf("o"); location_of_o(字母o的位置)將為1。
var location_of_key = the_word.indexOf("key");
location_of_key(key的位置)將為3因為子字符串“key”以字母k開始,而k在單詞monkey中的位置是3。
var location_of_y = the_word.indexOf("y");
location_of_y)字母y的位置)是5。
var cheeky = the_word.indexOf("q");
cheeky值是-1,因為在單詞“monkey”中沒有字母q。
indexOf更實用之處:
var the_email = prompt("What's your email address?", "");
var the_at_is_at = the_email.indexOf("@");
if (the_at_is_at == -1)
{
alert("You loser, email addresses must have @ signs in them.");
}
這段代碼詢問用戶的電子郵件地址,如果用戶輸入的電子郵件地址中不包含字符 則 提示用戶"@你輸入的電子郵件地址無效,電子郵件的地址必須包含字符@。"
charAt
chatAt方法用于發現一個字符串中某個特定位置的字符。這里是一個例子:
var the_word = "monkey";
var the_first_letter = the_word.charAt(0);
var the_second_letter = the_word.charAt(1);
var the_last_letter = the_word.charAt(the_word.length-1);
the_first_letter(第1個字符)是"m"
the_second_letter(第2個字符)是"o"
the_last_letter(最后一個字符)是 "y"
注意利用字符串的length(長度)屬性你可以發現在包含多少個字符。在本例中,the_word是"monkey",所以the_word.length是6。不要忘記在一個字符串中第1個字符的位置是0,所以最后一個字符的位置就是length-1。所以在最后一行中用了the_word.length-1。
JavaScript技術:JavaScript進階教程(第二課)第1/3頁,轉載需保留來源!
鄭重聲明:本文版權歸原作者所有,轉載文章僅為傳播更多信息之目的,如作者信息標記有誤,請第一時間聯系我們修改或刪除,多謝。