正则表达式中 test、exec、match 方法区别

Gyc 2011-10-31

正则表达式中 test、exec、match 方法区别(转载)

test

test返回Boolean,查找对应的字符串中是否存在模式。

varstr="1a1b1c";

varreg=newRegExp("1.","");

alert(reg.test(str)); // true

exec

exec查找并返回当前的匹配结果,并以数组的形式返回。

varstr="1a1b1c";

varreg=newRegExp("1.","");

vararr=reg.exec(str);

如果不存在模式,则 arr 为 null,否则 arr 总是一个长度为 1 的数组,其值就是当前匹配项。arr 还有三个属性:index 当前匹配项的位置;lastIndex 当前匹配项结束的位置(index + 当前匹配项的长度);input 如上示例中 input 就是 str。

exec方法受参数g的影响。若指定了g,则下次调用exec时,会从上个匹配的lastIndex开始查找。

varstr="1a1b1c";

varreg=newRegExp("1.","");

alert(reg.exec(str)[0]);

alert(reg.exec(str)[0]);

上述两个输出都是1a。现在再看看指定参数g:

varstr="1a1b1c";

varreg=newRegExp("1.","g");

alert(reg.exec(str)[0]);

alert(reg.exec(str)[0]);

上述第一个输出 1a,第二个输出 1b。

match

match是String对象的一个方法。

varstr="1a1b1c";

varreg=newRegExp("1.","");

alert(str.match(reg));

match这个方法有点像exec,但:exec是RegExp对象的方法;math是String对象的方法。二者还有一个不同点,就是对参数g的解释。

如果指定了参数g,那么match一次返回所有的结果。

varstr="1a1b1c";

varreg=newRegExp("1.","g");

alert(str.match(reg));

//alert(str.match(reg));//此句同上句的结果是一样的

此结果为一个数组,有三个元素,分别是:1a、1b、1c。

相关推荐