1. 這兩個方法,如果匹配成功,回傳一個數組,則匹配失敗,回傳null。
2. 當RegExp的global屬性為false時,這兩個方法的回傳陣列是一樣的。
數組的第0個元素是整個pattern的第一個匹配字串,接下來的元素是pattern第一個匹配中的子匹配字串。
此外,陣列還有index和input兩個額外屬性,index是匹配字串的起始位置,input是整個輸入字串。
此時,RegExp的lastIndex屬性一直是0。
demo:
var s = 'this is string';
var p = /bw*(i)sb/;
var rm = s.match(p);
var re = p.exec(s);
console.log ('match_array: ' JSON.stringify(rm));
console.log('match_array_index: ' rm.index);
console.log('match_array_input: ' rm.input);
console. log('----------------------------');
console.log('exec_array: ' JSON.stringify(re ));
console.log('exec_array_index: ' re.index);
console.log('exec_array_input: ' re.input);
顯示控制結果為(firefoxfox台):
match_array: ["this","i "]
match_array_index: 0
match_array_input: this is a string
----------------------------
exec_array: ["this","i"]
exec_array_index: 0
exec_array_input: this is a string
3. 當RegExp的global為true是不同的。
match方法傳回的陣列包含所有符合字串,沒有子匹配字串和額外屬性。此時,lastIndex屬性無效。
exec方法傳回的陣列格式與global為false時一樣,只是此時RegExp的lastIndex屬性有效,匹配是從lastIndex所指示的字元開始的,並且方法執行後會將lastIndex置為本次匹配字串的下一個字元處,所以循環執行exec方法時會依序匹配整個字串,直到字串最後傳回null,並將lastIndex置0。
demo:
var s = 'this is string';
var p = /bw*(i)sb/g;
var rm = s.match(p);
var re;
console.log('match_array: ' JSON .stringify(rm));
console.log('match_array_index: ' rm.index);
console.log('match_array_input: ' rm.input);
while(re = p.exec( s)){
console.log('----------------------------');
console.log( 'exec_array: ' JSON.stringify(re));
console.log('exec_array_index: ' re.index);
console.log('exec_array_input: ' re.input);
console.log ('regexp_lastIndex: ' p.lastIndex);
}
console.log('---------------------------- ');
console.log('exec_array: ' re);
console.log('regexp_lastIndex: ' p.lastIndex);
結果:
match_array: ["this","is"]
match_arrayd 🎜>match_array_input: undefined
----------------------------
exec_array: ["this","i"]
exec_array_index: 0
exec_array_input: this is a string
regexp_lastIndex: 4
-------------------------- --
exec_array: ["is","i"]
exec_array_index: 5
exec_array_input: this is a string
regexp_lastIndex: 7
----------🎜>---------- ------------------
exec_array: null
regexp_lastIndex: 0
綜上:
1.在沒有g標識符時,match和exec方法效果是一樣的;有g標識符時,exec方法可以提供最完整的匹配結果。
2.這裡順便提一下RegExp.test()方法,它是exec方法的簡化版,有匹配結果就回傳true,沒有匹配結果就回傳false,執行過程與exec是一樣的。相當於 (p.exec(s) != null)。
3.RegExp的lastIndex屬性在有g標識符,且在exec和test方法中是有效的,其他地方是無效的。