前言
大綱
- 建立 Regex
- JS replace() 取代內容
- JS test() 回傳 Boolean (vs search())
- JS exec() 回傳 陣列 (vs match())
- JS split('.') 字串切割
建立 regex 方法
- 直接宣告: JS載入即編譯,用於 pattern 不會變更時
- 建構式: 執行才編譯,用於 pattern 會變更 (效能較差)
const regex = /123/
const regexObj = new RegExp("123")
replace() 取代
- 會建立新的字串,不影響原本的字串
- 可用於 一般文字 取代 (只能取代一個符合項)
- 亦可用於 regex 判斷後取代 (可通過 g 旗幟 取代多個)
- 可以插入 取代者的中間 $1
const str = '123 123'
str.replace('被取代者','取代者')
str.replace('123','hey')
str.replace(/123/g, 'YO!')
str
const str2 = '123'
str2.replace(/(2)/,'abc $1 def')
test() 搜尋內容 (回傳 Boolean)
- 類似字串方法的 search() 回傳Index值 -1未找到
const str = 'abc'
console.log(/a/.test(str))
console.log(/z/.test(str))
console.log(str.search(b))
exec() 搜尋內容
let myString = '22.44.33'
console.log(myString.match(/\d+/))
console.log(myString.match(/\d+/g))
- exec() 若沒有使用 g flag 會永遠取得首項符合者(造成無限迴圈) 或者 無符合即得到 null。
- exec() 使用 g flag,每執行一次噴出一項符合者,直到無則回傳 null
let myString = '22.44.33.'
let myRegexp = /\d+/
let result
while (result = myRegexp.exec(myString)) {
console.log(result, myRegexp.lastIndex)
}
let myString = '22.44.33'
let myRegexp = /\d+/g
let arr = []
let result
while (result = myRegexp.exec(myString)) {
arr.push(result[0])
console.log(result, myRegexp.lastIndex)
}
console.log(result)
console.log(arr)
split()
const str = '22.33.44'
str.split('.')