一个用户注册功能的密码有如下要求:由数字和字母组成,并且要同时含有数字和字母,且长度要在8-16位之间。
如何分析需求?拆分!这就是软件设计的一般思路了。于是乎,拆分需求如下:
1,不能全部是数字
2,不能全部是字母
3,必须是数字或字母
只要能同时满足上面3个要求就可以了,写出来如下:
1
|
^
(
?
!
[
0-9
]
+
$
)
(
?
!
[
a-zA-Z
]
+
$
)
[
0-9A-Za-z
]
{
8
,
16
}
$
|
分开来注释一下:
^ 匹配一行的开头位置
(?![0-9]+$) 预测该位置后面不全是数字
(?![a-zA-Z]+$) 预测该位置后面不全是字母
[0-9A-Za-z] {8,16} 由8-16位数字或这字母组成
$ 匹配行结尾位置
注:(?!xxxx) 是正则表达式的负向零宽断言一种形式,标识预该位置后不是xxxx字符。
测试用例如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
|
public
class
Test
{
public
static
void
main
(
String
[
]
args
)
throws
Exception
{
String
regex
=
"^(?![0-9]+$)(?![a-zA-Z]+$)[0-9A-Za-z]{8,16}$"
;
String
value
=
"aaa"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"1111aaaa1111aaaaa"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"111111111"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"aaaaaaaaa"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"####@@@@#"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"1111aaaa"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"aaaa1111"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"aa1111aa"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"11aaaa11"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
value
=
"aa11aa11"
;
System
.
out
.
println
(
value
.
matches
(
regex
)
)
;
}
}
|
原文
链接:http://buzheng.org/blog/regex-matchs-numbers-and-letters
原文链接:https://www.f2er.com/regex/361477.html