js字符串方法預覽:
fromCharCode(num1, num2,,,),
charAt(),
charCodeAt(),
length,
split(''),
slice(start, end?)
substring(start, end?)
trim()
concat()
toLowerCase()
toUpperCase()
indexOf(str, index?)
lastIndexOf(str, index?)
search(regexp)
match(regexp)
replace(search, replacement)
字符字面量與轉(zhuǎn)義
單引號和雙引號都可以表示字符字面量剥懒,'string is this' "other string is that" 推薦在js中使用單引號场仲,HTML中使用雙引號,轉(zhuǎn)義字符以\開始, \n換行符 \f換頁符號 \b空格符 \r回車符 \t水平制表符號 \v 垂直制表符號
charCodeAt揍很、charAt 與 fromCharCode
fromCharCode返回由utf-16編碼單元組成的字符串,而charCodeAt則返回指定位置的字符的utf-16碼, charAt返回制定位置的字符
String.fromCharCode(97, 98, 99) // 'abc'
'abc'.charCodeAt(0) // 97
'abc'.charAt(0) // 'a'
length
字符串的length屬性為字符串的長度, '稻草人'.length // 3
split, slice, substring
split(code, limit)將字符串轉(zhuǎn)換為數(shù)組以code字符分割雷则,limit為分隔后顯示前幾項
slice(start, end?)從字符串中截取子字符串浓瞪,start為開始位置,end為結(jié)束位置(不包含)如果沒有end參數(shù)則到字符串結(jié)尾
substring和slice函數(shù)一樣巧婶,參數(shù)值可以為負值
'test'.split('') ;//['t','e','s','t']
'test'.split('', 2) //['t','e']
'test'.slice(0,2); //'te'
trim, concat
trim去除字符串兩側(cè)的空格,concat把對字符串進行拼接涂乌;
' test '.trim() //'test'
'hello'.concat(' name',' test') // 'hello name test'
toLowerCase, toUpperCase
toLowerCase 把字符串轉(zhuǎn)換為小寫艺栈,toUpperCase將字符串轉(zhuǎn)換為大寫字母
indexOf, lastIndexOf
indexOf(str, index?) str為索引的字符,index為開始的位置默認為0湾盒;
lastIndexOf(str, index?) 和indexOf一樣湿右,只是從index位置開始向前開始查找
'test'.indexOf('t') // 0
'test'.indexOf('t', 2) // 3
'test'.lastIndexOf('t') // 3
'test'.lastIndexOf('t', 2) // 0
search, match罚勾, replace
search(regexp) 返回字符串中第一個與regexp相匹配的子字符串的起始位置毅人,為匹配則返回-1;match(regexp) 將regexp與字符串匹配尖殃,若未設(shè)置 全局匹配標志則返回第一次匹配的相關(guān)信息丈莺,若設(shè)置了全局匹配標志則返回所有匹配的子字符串;replace(str or regexp, 'replacestring'),將字符串中第一個str字符替換送丰,或?qū)⑵ヅ湔齽t的字符替換缔俄,正則表達式中若設(shè)置全局標志則把所有匹配的字符全部替換,若未設(shè)置則只替換第一個匹配的字符器躏,替換的目標字符中可以使用$符號進行完全匹配或捕獲分組
'-yy-xxx-y-'.search(/x+/) // 4,不使用正則表達式時和indexOf函數(shù)一樣
'-abb--aaab-'.match(/(a+)b/) // [ 'ab', 'a', index: 1, input: '-abb--aaab-' ]
'-abb--aaab-'.match(/(a+)b/g) //[ 'ab', 'aaab' ]
var str = 'iixxxixx';
log(str.replace('i', 'o') ) // oixxxixx
log(str.replace(/i/, 'o') ) // oixxxixx
log(str.replace(/i/g, 'o') ) // ooxxxoxx
log(str.replace(/i+/g, '[$&]') ) // [ii]xxx[i]xx
log(str.replace(/(i+)/g, '[$1]') ) //[ii]xxx[i]xx
//replace 使用函數(shù)
var str = 'axbbyyxaa';
function log(){
console.log.apply(null, arguments);
}
function repl(all){
return all.toUpperCase();
}
log(str.replace(/a+|b+/g, repl)); //AxBByyxAA