一个匹配8-16位数字和字母密码的正则表达式

一个用户注册功能的密码有如下要求:由数字和字母组成,并且要同时含有数字和字母,且长度要在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

相关文章

一、校验数字的表达式 1 数字:^[0-9]*$ 2 n位的数字:^d{n}$ 3 至少n位的数字:^d{n,}$ 4 m-n位的数字...
正则表达式非常有用,查找、匹配、处理字符串、替换和转换字符串,输入输出等。下面整理一些常用的正则...
0. 注: 不同语言中的正则表达式实现都会有一些不同。下文中的代码示例除特别说明的外,都是使用JS中的...
 正则表达式是从信息中搜索特定的模式的一把瑞士军刀。它们是一个巨大的工具库,其中的一些功能经常...
一、校验数字的表达式 数字:^[0-9]*$ n位的数字:^\d{n}$ 至少n位的数字:^\d{n,}$ m-n位的数...
\ 将下一字符标记为特殊字符、文本、反向引用或八进制转义符。例如,“n”匹配字符“n”。“\n...