关于将PNG图像更改为灰度,我遇到了问题。我想创建一个方法,接受byte []图像作为参数,并返回作为新修改的灰度图像作为byte []。
我找到了一些链接,使用下面的代码片段,使用JPEG图像制作灰度图像。
private byte[] makeItGray(byte[] img, String contentType) throws IOException, Exception{
InputStream in = new ByteArrayInputStream(img);
BufferedImage bimg = ImageIO.read(in);
for(int y=0; y < bimg.getHeight(); y++){
for(int x=0; x < bimg.getWidth(); x++){
Color color = new Color(bimg.getRGB(x,y));
int graylevel = (color.getRed() + color.getGreen() + color.getBlue()) / 3;
int r = graylevel;
int g = graylevel;
int b = graylevel;
int rgb = ( r<<16 ) | ( g<<8 ) | b;
bimg.setRGB(x, y, rgb);
}
}
in.close();
ByteArrayOutputStream baos = new ByteArrayOutputStream();
if(contentType.equals(MediaType.IMAGE_PNG_VALUE)){
ImageIO.write(bimg, "png", baos);
System.out.println("PNG!!!");
}
else if(contentType.equals(MediaType.IMAGE_JPEG_VALUE)){
ImageIO.write(bimg, "jpg", baos);
}
else
throw new Exception();
baos.flush();
byte[] grayImage = baos.toByteArray();
baos.close();
return grayImage;
}
我的推荐如下: How can I use ImageJ as a library for a separate Java application? https://www.mkyong.com/java/how-to-convert-byte-to-bufferedimage-in-java/
它适用于JPEG图像,但在PNG上,它会向我发送透明图像。
// converting orig image to grayscale in byte[]
imageBytes = makeItGray(imageBytes, file.getContentType());
Path path = Paths.get("some path here that would overwrite existing image");
Files.write(path, imageBytes);
当我尝试手动打开图像以检查它是否为灰度时,它会给我透明图像或者没有显示图像但不返回null,因为它返回byte []数据。我想知道上述方法对PNG格式是否合适?
如有任何问题,请与我们联系。谢谢!
答案 0 :(得分:1)
实际上,getRGB
和setRGB
方法,尽管它们的名称,实际上返回并接受32位打包ARGB格式的像素。这意味着,如果BufferedImage
的颜色模型实际上包含Alpha通道,将像素的alpha值保留为空(0x00
),则会生成全透明图像... < / p>
PNG格式支持alpha,而JPEG通常不会使用它,这就是为什么你会看到你做的结果,以及为什么它看起来对不同的格式有所不同。
修复很简单,只需在像素值前加上所有不透明的alpha:
int rgb = 0xff000000 | (r << 16) | (g << 8) | b;
bimg.setRGB(x, y, rgb);
如果你想保留原版的alpha,你也可以这样做(我简单地说了一下代码):
int oldrgb = bimg.getRGB(x,y);
Color color = new Color(oldrgb);
int gray = (color.getRed() + color.getGreen() + color.getBlue()) / 3;
int rgb = (oldrgb & 0xff000000) | (gray << 16) | (gray << 8) | gray;
bimg.setRGB(x, y, rgb);
PS:请注意,通过平均计算灰度值的方法并不是将RGB转换为灰度的推荐方法,因此与其他工具相比,您的图像可能会偏离。请参阅示例Converting color to grayscale。
答案 1 :(得分:0)
public class GrayScaleImage{
public static void main(String[]args)throws IOException{
BufferedImage img = null;
File f = null;
try{
f = new File("D:\\Image\\image.jpg");
img = ImageIO.read(f);
} catch(IOExeption e){
System.out.println(e);
}
int width = img.getWidth();
int height = img.getHeight();
for(int y = 0; y < height; y++){
for(int x = 0; x < width; x++){
int p = img.getRGB(x,y);
int a = (p>>24)&0ff;
int r = (p>>16)&0ff;
int g = (p>>8)&0ff;
int b = p&0ff;
int avg = (r + g + b)/3;
p = (a<<24) | (avg<<16) | (avg<<8) | avg;
img.setRGB(x, y, p);
}
}
try{
f = new File("D:\\Image\\output.jpg");
ImageIO.write(img, "jpg", f);
} catch(IOException e){
System.out.println(e);
}