Java ARGB to JPG

How can I store a BufferedImage with TYPE_INT_ARGB to jpg?

The program generates this image for me:

enter image description here

And that's ok, but when I save it this way:

    ByteArrayOutputStream byteStream = new ByteArrayOutputStream();
    BufferedOutputStream bos = new BufferedOutputStream(byteStream);
    try {
        ImageIO.write(buffImg, "jpg", bos);
        // argb
        byteStream.flush();
        byte[] newImage = byteStream.toByteArray();

        OutputStream out = new BufferedOutputStream(new FileOutputStream("D:\\test.jpg"));
        out.write(newImage);
        out.close();
    } catch (IOException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    }

      

Result: enter image description here

Understand that this is related to the alpha layer, but don't know how to fix it. The Png format does not suit me, I need jpg.

+3


source to share


2 answers


OK! I solved it. Everything was pretty easy. I don't know if this is a good solution and how fast it is. I have not found another. So, all we need to do is define a new BufferedImage.

BufferedImage buffImg = new BufferedImage(getWidth(), getHeight(), BufferedImage.TYPE_INT_ARGB);
Graphics2D g2 = buffImg.createGraphics();

// ... other code we need

BufferedImage img= new BufferedImage(buffImg.getWidth(), buffImg.getHeight(), BufferedImage.TYPE_INT_RGB);
Graphics2D g2d = img.createGraphics();
g2d.drawImage(buffImg, 0, 0, null);
g2d.dispose();

      



If you have any ideas for improving this method, please welcome.

+6


source


Images with 4 color channels should not be written to a jpeg file. We can convert ARGB and RGB images without duplicating pixel values. This is great for large images. Example:



int a = 10_000;

BufferedImage im = new BufferedImage(a, a, BufferedImage.TYPE_INT_ARGB);
Graphics2D g = im.createGraphics();
g.setColor(Color.RED);
g.fillRect(a/10, a/10, a/5, a*8/10);
g.setColor(Color.GREEN);
g.fillRect(a*4/10, a/10, a/5, a*8/10);
g.setColor(Color.BLUE);
g.fillRect(a*7/10, a/10, a/5, a*8/10);

//preserve transparency in a png file
ImageIO.write(im, "png", new File("d:/rgba.png"));

//pitfall: in a jpeg file 4 channels will be interpreted as CMYK... this is no good
ImageIO.write(im, "jpg", new File("d:/nonsense.jpg"));

//we need a 3-channel BufferedImage to write an RGB-colored jpeg file
//we can make up a new image referencing part of the existing raster
WritableRaster ras = im.getRaster().createWritableChild(0, 0, a, a, 0, 0, new int[] {0, 1, 2}); //0=r, 1=g, 2=b, 3=alpha
ColorModel cm = new BufferedImage(1, 1, BufferedImage.TYPE_INT_RGB).getColorModel(); //we need a proper ColorModel
BufferedImage imRGB = new BufferedImage(cm, ras, cm.isAlphaPremultiplied(), null);

//this image we can encode to jpeg format
ImageIO.write(imRGB, "jpg", new File("d:/rgb1.jpg"));

      

0


source







All Articles