百度了 微信平台上传图片变红 找到这个解决办法
问题现象:
Java上传图片时,对某些图片进行缩放、裁剪或者生成缩略图时会蒙上一层红色,经过检查只要经过ImageIO.read()方法读取后再保存,该图片便已经变成红图。因此,可以推测直接原因在于ImageIO.read()方法加载图片的过程存在问题。
[java] view plain copy
public static BufferedImage getImages(byte[] data) throws IOException {
ByteArrayInputStream input = new ByteArrayInputStream(data);
return ImageIO.read(input);
}
经过查阅得知ImageIO.read()方法读取图片时可能存在不正确处理图片ICC信息的问题,ICC为JPEG图片格式中的一种头部信息,导致渲染图片前景色时蒙上一层红色。
解决方案:
不再使用ImageIO.read()方法加载图片,而使用JDK中提供的Image src=Toolkit.getDefaultToolkit().getImage
[java] view plain copy
Image src=Toolkit.getDefaultToolkit().getImage(file.getPath());
BufferedImage p_w_picpath=BufferedImageBuilder.toBufferedImage(src);//Image to BufferedImage
或者Toolkit.getDefaultToolkit().createImage
[java] view plain copy
Image p_w_picpathTookit = Toolkit.getDefaultToolkit().createImage(bytes);
BufferedImage cutImage = BufferedImageBuilder.toBufferedImage(p_w_picpathTookit);
BufferedImageBuilder源码:
[java] view plain copy
public static BufferedImage toBufferedImage(Image p_w_picpath) {
if (p_w_picpath instanceof BufferedImage) {
return (BufferedImage) p_w_picpath;
}
// This code ensures that all the pixels in the p_w_picpath are loaded
p_w_picpath = new ImageIcon(p_w_picpath).getImage();
BufferedImage bp_w_picpath = null;
GraphicsEnvironment ge = GraphicsEnvironment
.getLocalGraphicsEnvironment();
try {
int transparency = Transparency.OPAQUE;
GraphicsDevice gs = ge.getDefaultScreenDevice();
GraphicsConfiguration gc = gs.getDefaultConfiguration();
bp_w_picpath = gc.createCompatibleImage(p_w_picpath.getWidth(null),
p_w_picpath.getHeight(null), transparency);
} catch (HeadlessException e) {
// The system does not have a screen
}
if (bp_w_picpath == null) {
// Create a buffered p_w_picpath using the default color model
int type = BufferedImage.TYPE_INT_RGB;
bp_w_picpath = new BufferedImage(p_w_picpath.getWidth(null),
p_w_picpath.getHeight(null), type);
}
// Copy p_w_picpath to buffered p_w_picpath
Graphics g = bp_w_picpath.createGraphics();
// Paint the p_w_picpath onto the buffered p_w_picpath
g.drawImage(p_w_picpath, 0, 0, null);
g.dispose();
return bp_w_picpath;
}
参考:
http://blog.youkuaiyun.com/kobejayandy/article/details/44346809
转载于:https://blog.51cto.com/guowang327/1866166