zxing方法
zxing是谷歌提供的一个生成而二维码的库,这里使用maven,所以先添加要使用的jar包的坐标。
<dependency>
<groupId>com.google.zxing</groupId>
<artifactId>core</artifactId>
<version>3.2.1</version>
</dependency>
<dependency>
<groupId>com.google.zxing</groupId>
<artifactId>javase</artifactId>
<version>3.0.0</version>
</dependency>
生成二维码的基本代码还是比较简单的。
// 定义要生成二维码的基本参数
int width = 300;
int height = 300;
String type = "png";
String content = "www.baidu.com";
// 定义二维码的配置,使用HashMap
HashMap hints = new HashMap();
// 字符集,内容使用的编码
hints.put(EncodeHintType.CHARACTER_SET, "UTF-8");
// 容错等级,H、L、M、Q
hints.put(EncodeHintType.ERROR_CORRECTION, ErrorCorrectionLevel.M);
// 边距,二维码距离边的空白宽度
hints.put(EncodeHintType.MARGIN, 2);
try {
// 生成二维码对象,传入参数:内容、码的类型、宽高、配置
BitMatrix bitMatrix = new MultiFormatWriter().encode(content, BarcodeFormat.QR_CODE, width, height, hints);
// 定义一个路径对象
Path file = new File("D:/learn/code.png").toPath();
// 生成二维码,传入二维码对象、生成图片的格式、生成的路径
MatrixToImageWriter.writeToPath(bitMatrix, type, file);
} catch (WriterException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
image.png
注意一点,因为上面的内容我们设置的是
www.baidu.com
。扫码结果是这个字符串文本。如果想要扫码之后直接跳转到该链接,需要在网址前面加上协议http://www.baidu.com
。
既然有生成的方法,就有对应的解析二维码的方法。解析二维码就有些繁琐了。
try {
// 声明一个解析二维码的对象
MultiFormatReader formatReader = new MultiFormatReader();
// 生成一个文件对象,传入刚才生成二维码的路径
File file = new File("D:/learn/code.png");
// 把文件对象转成一个图片对象
BufferedImage image = ImageIO.read(file);
// 最后需要的是一个binaryBitmap对象。
BinaryBitmap binaryBitmap = new BinaryBitmap(new HybridBinarizer(new BufferedImageLuminanceSource(image)));
// 配置,解析时传入
HashMap hints = new HashMap();
hints.put(EncodeHintType.CHARACTER_SET, "utf-8");
// 解析得到一个Result对象,该对象包含二维码的信息
Result result = formatReader.decode(binaryBitmap, hints);
// 分别输出二维码类型和内容的方法
System.out.println(result.getBarcodeFormat());
System.out.println(result.getText());
} catch (IOException e) {
e.printStackTrace();
} catch (NotFoundException e) {
e.printStackTrace();
}
网友评论