我目前正在尝试逐个像素地读取图像,并将每个彩色像素更改为(100,100,100)的rgb值。无论出于何种原因,当我检查每个像素的值时,图像被保存,它具有所有彩色像素(46,46,46)。
这是原始图片
运行我的程序后,这是它给我的图像
这是代码
import java.awt.Color;
import java.awt.image.BufferedImage;
import java.io.File;
import java.io.IOException;
import javax.imageio.ImageIO;
public class Cmaps {
public static void main(String[] args){
File originalImage = new File("C:\\Users\\Me\\Desktop\\0005.bmp");
BufferedImage img = null;
try{
img = ImageIO.read(originalImage);
for(int i = 0; i < img.getHeight(); i++){
for(int j = 0; j < img.getWidth(); j++){
//get the rgb color of the image and store it
Color c = new Color(img.getRGB(i, j));
int r = c.getRed();
int g = c.getGreen();
int b = c.getBlue();
//if the pixel is white then leave it alone
if((r == 255) && (g == 255) && (b == 255)){
img.setRGB(i, j, c.getRGB());
continue;
}
//set the colored pixel to 100,100,100
r = 100;// red component 0...255
g = 100;// green component 0...255
b = 100;// blue component 0...255
int col = (r << 16) | (g << 8) | b;
img.setRGB(i, j, col);
}
}
File f = new File("C:\\Users\\Me\\Desktop\\2\\1.png");
try {
ImageIO.write(img, "PNG", f);
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
} catch (IOException e){
e.printStackTrace();
}
}
}
我不知道为什么它没有将像素设置为预期的rgb值。我最终希望能够基本上增加rgb颜色,因为我向下移动x和y中的行和列,所以最终图像看起来像是从左上角开始暗淡然后具有淡出效果当你从那边到右下角时。
答案 0 :(得分:1)
好的,基于评论:
如果BufferedImage
具有IndexColorModel
(基于调色板的颜色模型),则使用setRGB
将像素设置为任意RGB值将不起作用。相反,将查找颜色,并且像素将获得调色板中被认为最接近的颜色。
使用ImageIO读取时,BMP,GIF和PNG等格式都可以使用IndexColorModel
。
要将图像转换为“真彩色”(Java中的DirectColorModel
或ComponentColorModel
都可以),您可以使用:
BufferedImage img; // your original palette image
int w = img.getWidth();
int h = img.getHeight();
BufferedImage trueColor = new BufferedImage(w, h, BufferedImage.TYPE_INT_RGB);
Graphics2D g = trueColor.createGraphics();
try {
g.drawImage(img, 0, 0, null);
}
finally {
g.dispose();
}
img = trueColor;
在此之后,getRGB(x, y)
应使用setRGB(x, y, argb)
返回您指定的内容。