JS正则表达式 - 检查非数字字符的电话号码

时间:2014-09-17 06:10:13

标签: javascript regex

在此代码中,我想检查非数字字符

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">

<head>
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
    <title>Untitled Document</title>
</head>

<body>
    <script>
        function test(phone) {
            console.log("original", phone)
            var ph = phone + ""; //Copy
            //remove spaces using regex
            ph = ph.replace(/\n/g, ""); //\n line
            ph = ph.replace(/\s/g, ""); //\s space
            console.log("removed", ph);

            //Check for non-numeric chars
            if (ph.indexOf(/\D/g) !== -1) return 1;
            console.log("replace", ph.replace(/\D/g, ""))
            console.log("find", ph.indexOf(/\D/g))
            if (phone.length < 7) return false;
            return true;
        }

        console.log("result", test("hi\n345bla345"))
    </script>

</body>

</html>

控制台说这个

original hi
345bla345 test.html:12
removed hi345bla345 test.html:17
replace 345345 test.html:21
find -1 test.html:22
result true

为什么替换它有效,但在尝试查找indexOf非数字字符时,它不起作用?

2 个答案:

答案 0 :(得分:1)

这是因为.indexOf方法检查其参数是否有EQUAL元素。因此,如果您调用.indexOf(/abc/),它将检查您的字符串是否在某个索引处包含正则表达式/abc/,这显然永远不会成立,因为您的字符串只包含字符。

如果你想找到第一个数字的索引,你必须使用这样的for语句:

var s = "ab123cd",
    i;
for (i=0; i<s.length; i++) {
    if (/\D/.test(s[i])) break;
}

console.log(i) // 2

答案 1 :(得分:0)

AHA !!我发现了原因。 string.indexOf函数不支持正则表达式,但如果你这样做:

var rx = /\D/g;
if (rx.test(ph) == true) return 1;

然后它有效。