Java 生成任意长度的验证码过程解析
需求说明
1、要求生成任意长度的验证码
2、验证码要求包含大小写英文字母和数字
实现方式
采用随机数的方式,分别在数字,大小写英文字母里面抽取字符,抽取次数由for循环控制
代码内容
随机的方法及程序入口
package com.work.work3;
/**
* @auther::9527
* @Description: 验证码生成器
* @program: shi_yong
* @create: 2019-07-30 20:45
*/
public class Method {
//采用char对照表生成验证码
public static String verCode1(int num) {
String code = ""; //设置一个变量,用来接收验证码
for (int i = 0; i < num; i++) {
//使用一个布尔变量,判定单个验证码是数字还是英文字母
boolean choose = ((int) (Math.random() * 2) == 0) ? true : false;
if (choose) {
//如果choose为真,则选取数字做单个验证码并连接到code里面
code += (int) (Math.random() * 10); //在0-9之间选择一个数字做验证码
} else {
//如果choose为假,则选取英文字母做单个验证码并连接到code里面
//用char对照表里面的序号,确认本次英文字母是采用大写还是小写,
// 65是大写英文字母开头,97是小写英文字母开头
int temp = ((int) (Math.random() * 2) == 0) ?65:97;
char ch = (char)((Math.random()*26)+temp);
code += ch;
}
}
//返回一个字符串
return code;
}
public static String verCode2(int num){
String code="";
//采用变量string接收所有0-9,a-z,A-Z的字符
String string = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789";
//将字符串拆分成字符串数组
String[] str= string.split("");
for (int i = 0; i <num ; i++) {
//在数组里面用下标随机出字符串
code += str[(int)(Math.random()*str.length)];
}
return code;
}
public static void main(String[] args) {
System.out.println("对照表法:"+Method.verCode1(6));
System.out.println("split分割字符串法:"+Method.verCode2(6));
}
}
运行结果
以上是 Java 生成任意长度的验证码过程解析 的全部内容, 来源链接: utcz.com/z/344245.html