字串物件方法
search方法
String.prototype.search(reg)
search方法用於檢索字串中指定的子字串,或檢索與正規表示式相匹配的子字串,方法返回第一個匹配結果的index,查詢不到則返回-1
。
`a1b2c3d1`.search(`1`) // 1
`a1b2c3d1`.search(`10`) // -1
`a1b2c3d1`.search(/1/) // 1
`a1b2c3d1`.search(/1/g) // 1
`a1b2c3d1`.search(/1/g) // 1
`a1b2c3d1`.search(1) // 1
tips:
1.search方法不執行全域性匹配,它將忽略標誌g,並且總是從字串的開始進行檢索,因此,它不會產生類似於test方法的問題
2.不輸入正規表示式則search方法將會自動將其轉為正規表示式
match方法
String.prototype.match(reg)
match方法將檢索字串,以找到一個或多個與reg匹配的文字,reg是否具有標誌g
對結果影響很大。
非全域性呼叫
如果reg沒有標識g
,那麼match方法就只能在字串中執行一次匹配,如果沒有找到任何匹配的文字,將返回null
,否則,它將返回一個陣列,其中存放了與它找到的匹配文字有關的資訊。
返回陣列的第一個元素存放的是匹配文字,而其餘的元素存放的是與正規表示式的子表示式匹配的文字。
除了常規的陣列元素之外,返回的陣列還含有2個物件屬性:
- index:宣告匹配文字的起始字元在字串的位置
- input:宣告對stringObject的引用
let reg = /d(w)d/
let text = `$1a2b3c4e5e`
// 子表示式是 /w/,匹配a
let result = text.match(reg) // ["1a2", "a"]
result.index // 1
// 不管lastIndex
result.lastIndex // 0
result.input // `$1a2b3c4e5e`
全域性呼叫
如果regexp具有標誌g
則match方法將執行全域性檢索,找到字串中的所有匹配子字串。如果沒有找到任何匹配的子串,否則,返回一個陣列。
陣列元素中存放的是字串中所有的匹配子串,而且也沒有index屬性或input屬性。
let reg = /d(w)d/g
let text = `$1a2b3c4e5e`
let result = text.match(reg) // ["1a2", "3c4"]
result.index // undefined
result.input // undefined
result.lastIndex // 0
split方法
String.prototype.split(reg)
我們經常使用split方法將字串分割為字元陣列:
`a, b, c, d`.split(`,`) // ["a", "b", "c", "d"]
在一些複雜的分割情況下我們可以使用正規表示式解決:
`a, b, c, d`.split(/,/) // ["a", "b", "c", "d"]
`a1b2c3d`.split(/d/) // ["a", "b", "c", "d"]
replace方法
replace方法有三種形態:
1.String.prototype.replace(str, replaceStr)
2.String.prototype.replace(reg, replaceStr)
`a1b1c1`.replace(`1`, 2) // `a2b1c1`
`a1b1c1`.replace(/1/g, 2) // `a2b2c2`
3.String.prototype.replace(reg, function)
function會在每次匹配替換的時候呼叫,有四個引數
1.匹配字串
2.正規表示式分組內容,沒有分組則沒有該引數
3.匹配項在字串中的index
4.原字串
`a1b2c3d4e5`.replace(/d/g, (match, index, origin) => {
console.log(index)
return parseInt(match) + 1
})
// 1 3 5 7 9
// `a2b3c4d5e6`
`a1b2c3d4e5`.replace(/(d)(w)(d)/g, (match, group1, group2, group3, index, origin) => {
console.log(match)
return group1 + group3
})
// `1b2` `3d4`
// ``a12c34e5 => 去除了第二個分組w匹配到的b和d