我有这个。
1?\s*-?\s*(\d{3}|\(\s*\d{3}\s*\))\s*-?\s*\d{3}\s*-?\s*\d{4}
它匹配了很多电话号码,但它没有抓住这两个:
(123)456-7890或123.456.7890
答案 0 :(得分:0)
一段时间后,我在一个字符串中询问了一个关于a regex for a certain number of digits的问题。答案给了我这个正则表达式(\D*\d){10}{n}
。
从那以后,我实际上已将此用于电话号码验证。我不在乎他们给我一个电话号码的格式,只要它包含10位数字。如果您只关心区号+电话号码,那么这也适用于您。
答案 1 :(得分:0)
这是原始正则表达式的简化版本,可以满足您的要求。
1?[\s-(.]*?\d{3}[ -).]*?\d{3}[ -.]*?\d{4}
答案 2 :(得分:0)
几个怪物
捕获组1,2,3保存电话号码的各个部分。这是一个简单的验证
还有更多东西,就像哥斯拉一样。
不需要区号
/^(?:\s*(?:1(?=(?:.*\d.*){10}$)\s*[.-]?\s*)?(?:\(?\s*(\d{3}|)\s*\)?\s*[.-]?))\s*(\d{3})\s*[.-]?\s*(\d{4})$/
需要区号
/^(?:\s*(?:1(?=(?:.*\d.*){10}$)\s*[.-]?\s*)?(?:\(?\s*(\d{3})\s*\)?\s*[.-]?))\s*(\d{3})\s*[.-]?\s*(\d{4})$/
代码示例(在Perl中)
use strict;
use warnings;
my $rxphone = qr/
^
(?: # Area code group (optional)
\s*
(?:
1 (?=(?:.*\d.*){10}$) # "1" (optional), must be 10 digits after it
\s* [.-]?\s*
)?
(?:
\(?\s* (\d{3}|) \s*\)? # Capture 1, 3 digit area code (optional)
\s* [.-]? # --- (999 is ok, so is 999)
)
) # End area code group
\s*
(\d{3}) # The rest of phone number
\s*
[.-]?
\s*
(\d{4})
$
/x;
my %phonenumbs = (
1 => '(123-456-7890',
2 => '123.456-7890',
3 => '456.7890',
4 => '4567890',
5 =>'(123) 456-7890',
6 => '1 (123) 456-7890',
7 => '11234567890',
8 => ' (123) 4565-7890',
9 => '1123.456-7890',
w => '1-456-7890',
);
for my $key ( sort keys %phonenumbs)
{
if ($phonenumbs{$key} =~ /$rxphone/) {
print "#$key => '$1' '$2' '$3'\n";
} else {
print "#$key => not a valid phone number: '$phonenumbs{$key}' \n";
}
}
__END__
输出
#1 => '123' '456' '7890'
#2 => '123' '456' '7890'
#3 => '' '456' '7890'
#4 => '' '456' '7890'
#5 => '123' '456' '7890'
#6 => '123' '456' '7890'
#7 => '123' '456' '7890'
#8 => not a valid phone number: ' (123) 4565-7890'
#9 => '123' '456' '7890'
#w => not a valid phone number: '1-456-7890'