【JAVA】URL转二维码以及图片合成

 

最近项目中有一个需求,要将一个URL链接转成二维码,并合成到一个固定的背景图片上的指定位置。其实将二维码合成到图片上还是将图片合成到二维码上,都是同一个道理。

 

需要采用google提供的 core-3.1.0.jar 包来将URL转化成二维码图片。

 

以下是将URL转化成二维码图片的代码:

 

/**
	 * 二维码图片的生成
	 * @param content			链接
	 * @param qrcode_width		二维码宽
	 * @param qrcode_height		二维码高
	 * @return
	 * @throws Exception
	 */
    public static BufferedImage createImage(String content, int qrcode_width, int qrcode_height) throws Exception {
        Hashtable hints = new Hashtable();
        hints.put(EncodeHintType.ERROR_CORRECTION, ErrorCorrectionLevel.H);
        hints.put(EncodeHintType.CHARACTER_SET, "utf-8");
        hints.put(EncodeHintType.MARGIN, 1);
        BitMatrix bitMatrix = new MultiFormatWriter().encode(content,
                BarcodeFormat.QR_CODE, qrcode_width, qrcode_height, hints);
        int width = bitMatrix.getWidth();
        int height = bitMatrix.getHeight();
        BufferedImage image = new BufferedImage(width, height,
                BufferedImage.TYPE_INT_RGB);
        for (int x = 0; x < width; x++) {
            for (int y = 0; y < height; y++) {
                image.setRGB(x, y, bitMatrix.get(x, y) ? 0xFF000000
                        : 0xFFFFFFFF);
            }
        }
        return image;
    }

 

 

 

 

 

 

以下是合成图片的代码:

 

/**
	 * 合成图片
	 * @param url		二维码链接
	 * @param path		背景图片地址
	 * @param startX	二维码在背景图片的X轴位置
	 * @param startY	二维码在背景图片的Y轴位置
	 * @param codeWidth	二维码宽度
	 * @param codeHeight 二维码高度
	 * @return			合成的图片
	 */
	public static BufferedImage compositeImage(String url, String path, int startX, int startY, int codeWidth, int codeHeight) {
		try {
			BufferedImage headImage = createImage(url, null, codeWidth, codeHeight, true);
			
			String backBIS64 = ""; 
			Image backImage = null;
			
			FileInputStream fileInputStream = new FileInputStream(path);
			backBIS64 = ImageUtil.GetImageStr(fileInputStream);
				// 读取背景图片
			InputStream in = new ByteArrayInputStream(ImageUtil.GenerateImage(backBIS64));
			backImage = ImageIO.read(in);
			int alphaType = BufferedImage.TYPE_INT_RGB;
			if (ImageUtil.hasAlpha(backImage)) {
				alphaType = BufferedImage.TYPE_INT_ARGB;
			}
			BufferedImage back = new BufferedImage(backImage.getWidth(null), backImage.getHeight(null), alphaType);

			// 画图
			Graphics2D g = back.createGraphics();
			g.drawImage(backImage, 0, 0, null);
			g.setComposite(AlphaComposite.getInstance(AlphaComposite.SRC_ATOP, 1));
			g.drawImage(headImage, startX, backImage.getHeight(null) - startY, headImage.getWidth(null), headImage.getHeight(null), null);

			g.dispose();

			return back;

		} catch (Exception e) {
			e.printStackTrace();
			return null;
		}
	}

 

 

 

 

 

 

 

你可能感兴趣的:(Java)