1、基本方法
//二维码容错率,分四个等级:H、L 、M、 Q
ErrorCorrectionLevel level = ErrorCorrectionLevel.H;
String qrName = "test.png"; //生成二维码图片名称
String targetPath = ServletActionContext.getServletContext().getRealPath("/"); //不解释
File target = new File(targetPath, qrName);
if(!target.exists()){
target.mkdirs();
}
//生成二维码中的设置
Hashtable hints = new Hashtable();
hints.put(EncodeHintType.CHARACTER_SET, "utf-8"); //编码
hints.put(EncodeHintType.ERROR_CORRECTION, level); //容错率
hints.put(EncodeHintType.MARGIN, 0); //二维码边框宽度,这里文档说设置0-4,但是设置后没有效果,不知原因,
String content = “二维码内容”;
int size = 200; //二维码图片大小
BitMatrix bitMatrix = new MultiFormatWriter().encode(content, BarcodeFormat.QR_CODE, size, size,hints); //生成bitMatrix
int margin = 5; //自定义白边边框宽度
bitMatrix = updateBit(bitMatrix, margin); //生成新的bitMatrix
//因为二维码生成时,白边无法控制,去掉原有的白边,再添加自定义白边后,二维码大小与size大小就存在差异了,为了让新
生成的二维码大小还是size大小,根据size重新生成图片
BufferedImage bi = MatrixToImageWriter.toBufferedImage(bitMatrix);
bi = zoomInImage(bi,size,size);//根据size放大、缩小生成的二维码
ImageIO.write(bi, "png", target); //生成二维码图片
这样生成的二维码在图片属性上跟我们设置的图片大小size是一致的。
唯一不明白的就是zxing库中生成二维码是设置白边边框不起作用,如果起作用,就不用这么麻烦了。
2、调用的方法
因为二维码边框设置那里不起作用,不管设置多少,都会生成白边,所以根据网上的例子进行修改,自定义控制白边宽度,
该方法生成自定义白边框后的bitMatrix;
private BitMatrix updateBit(BitMatrix matrix, int margin){
int tempM = margin*2;
int[] rec = matrix.getEnclosingRectangle(); //获取二维码图案的属性
int resWidth = rec[2] + tempM;
int resHeight = rec[3] + tempM;
BitMatrix resMatrix = new BitMatrix(resWidth, resHeight); // 按照自定义边框生成新的BitMatrix
resMatrix.clear();
for(int i= margin; i < resWidth- margin; i++){ //循环,将二维码图案绘制到新的bitMatrix中
for(int j=margin; j < resHeight-margin; j++){
if(matrix.get(i-margin + rec[0], j-margin + rec[1])){
resMatrix.set(i,j);
}
}
}
return resMatrix;
}
/**
* 图片放大缩小
*/
public static BufferedImage zoomInImage(BufferedImage originalImage, int width, int height){
BufferedImage newImage = new BufferedImage(width,height,originalImage.getType());
Graphics g = newImage.getGraphics();
g.drawImage(originalImage, 0,0,width,height,null);
g.dispose();
return newImage;
}
本人亲测,下面代码有效果,使用最新的jar包。
/** * 用字符串生成二维码 * @param str * @return * @throws WriterException */ public static Bitmap Create2DCode(String text) throws WriterException { //生成二维矩阵,编码时指定大小,不要生成了图片以后再进行缩放,这样会模糊导致识别失败 Hashtable<EncodeHintType, Object> hints = new Hashtable<EncodeHintType, Object>(); hints.put(EncodeHintType.CHARACTER_SET, "utf-8"); hints.put(EncodeHintType.MARGIN, 0); BitMatrix matrix = new MultiFormatWriter().encode(text,BarcodeFormat.QR_CODE, 400, 400,hints); int width = matrix.getWidth(); int height = matrix.getHeight(); //二维矩阵转为一维像素数组,也就是一直横着排了 int[] pixels = new int[width * height]; for (int y = 0; y < height; y++) { for (int x = 0; x < width; x++) { if(matrix.get(x, y)){ pixels[y * width + x] = 0xff000000; } else { pixels[y * width + x] = 0xffffffff; } } } Bitmap bitmap = Bitmap.createBitmap(width, height, Bitmap.Config.ARGB_8888); //通过像素数组生成bitmap,具体参考api bitmap.setPixels(pixels, 0, width, 0, 0, width, height); return bitmap; }