web-dev-qa-db-ja.com

ファイルからBufferedImageを作成し、TYPE_INT_ARGBにします

BufferedImageにロードされて保存される透明度のPNGファイルがあります。このBufferedImageを_TYPE_INT_ARGB_にする必要があります。ただし、getType()を使用すると、戻り値は2(_TYPE_CUSTOM_)ではなく0(_TYPE_INT_ARGB_)になります。

これは私が_.png_をロードする方法です:

_public File img = new File("imagen.png");

public BufferedImage buffImg = 
    new BufferedImage(240, 240, BufferedImage.TYPE_INT_ARGB);

try { 
    buffImg = ImageIO.read(img ); 
} 
catch (IOException e) { }

System.out.Println(buffImg.getType()); //Prints 0 instead of 2
_

.pngをロードし、BufferedImageに保存して_TYPE_INT_ARGB_にするにはどうすればよいですか?

31
user1319734
BufferedImage in = ImageIO.read(img);

BufferedImage newImage = new BufferedImage(
    in.getWidth(), in.getHeight(), BufferedImage.TYPE_INT_ARGB);

Graphics2D g = newImage.createGraphics();
g.drawImage(in, 0, 0, null);
g.dispose();
72
Jeffrey
try {
    File img = new File("somefile.png");
    BufferedImage image = ImageIO.read(img ); 
    System.out.println(image);
} catch (IOException e) { 
    e.printStackTrace(); 
}

画像ファイルの出力例:

BufferedImage@5d391d: type = 5 ColorModel: #pixelBits = 24 
numComponents = 3 color 
space = Java.awt.color.ICC_ColorSpace@50a649 
transparency = 1 
has alpha = false 
isAlphaPre = false 
ByteInterleavedRaster: 
width = 800 
height = 600 
#numDataElements 3 
dataOff[0] = 2

System.out.println(object);を実行できます。ほぼすべてのオブジェクトについて、それに関する情報を取得します。

6
kb9agt

ファイルからBufferedImageを作成し、TYPE_INT_RGBにする

import Java.io.*;
import Java.awt.image.*;
import javax.imageio.*;
public class Main{
    public static void main(String args[]){
        try{
            BufferedImage img = new BufferedImage( 
                500, 500, BufferedImage.TYPE_INT_RGB );
            File f = new File("MyFile.png");
            int r = 5;
            int g = 25; 
            int b = 255;
            int col = (r << 16) | (g << 8) | b;
            for(int x = 0; x < 500; x++){
                for(int y = 20; y < 300; y++){
                    img.setRGB(x, y, col);
                }
            }
            ImageIO.write(img, "PNG", f); 
        }
        catch(Exception e){ 
            e.printStackTrace();
        }
    }
}

これは、上部に大きな青い縞模様を描きます。

ARGBが必要な場合は、次のようにします

    try{
        BufferedImage img = new BufferedImage( 
            500, 500, BufferedImage.TYPE_INT_ARGB );
        File f = new File("MyFile.png");
        int r = 255;
        int g = 10;
        int b = 57;
        int alpha = 255;
        int col = (alpha << 24) | (r << 16) | (g << 8) | b;
        for(int x = 0; x < 500; x++){
            for(int y = 20; y < 30; y++){
                img.setRGB(x, y, col);
            }
        }
        ImageIO.write(img, "PNG", f);
    }
    catch(Exception e){
        e.printStackTrace();
    }

MyFile.pngを開くと、上部に赤い縞があります。

1
Eric Leschinski