我一直在使用多边形类并试图将多边形内部的像素值设置为透明或者将它们全部一起移除(如果可能的话),但是当我尝试存储时,我已经碰到了一些墙值为RGB int值,不知道如何通过此方法透明/删除像素。
除此之外,我还想做同样的事情,但保持多边形内的像素并在可能的情况下删除那些像素,以便仅留下多边形中包含的像素。我以前一直在寻找这个,但无济于事。
我确实试图为此创建一个SSCCE,以便更容易使用和查看任何花时间来帮助的人,但是因为它正在创建一个更大的程序的一部分,证明需要一些时间但是,一旦我有人努力更好地证明这个问题,我将编辑这篇文章。
感谢任何人花时间帮我解决这个问题
下面我有一些代码,用于分析已指定多边形中包含的像素。这非常类似于我将多边形外部的像素设置为透明的方式,只需交换if语句参数来移除图像的一部分并获得newImage的返回而不是保存图像的东西,它完美地工作当我这样做时,保存多边形中包含的像素,由于某种原因它不会保存。
public void saveSegment(int tabNum, BufferedImage img) {
segmentation = new GUI.Segmentation();
Polygon p = new Polygon();
Color pixel;
p = createPolygon(segmentation);
int height = img.getHeight();
int width = img.getWidth();
newImage = new BufferedImage(width, height, BufferedImage.TYPE_INT_ARGB);
//loop through the image to fill the 2d array up with the segmented pixels
for(int y = 0; y < height; y++) {
for(int x = 0; x < width; x++) {
//If the pixel is inside polygon
if(p.contains(x, y) == true) {
pixel = new Color(img.getRGB(x, y));
//set pixel equal to the RGB value of the pixel being looked at
int r = pixel.getRed(); // red component 0...255
int g = pixel.getGreen(); // green component 0...255
int b = pixel.getBlue(); // blue component 0...255
int a = pixel.getAlpha(); // alpha (transparency) component 0...255
int col = (a << 24) | (r << 16) | (g << 8) | b;
newImage.setRGB(x, y, col);
}
else {
pixel = new Color(img.getRGB(x, y));
int a = 0; // alpha (transparency) component 0...255
int col = (a << 24);
newImage.setRGB(x, y, col);
}
}
}
try {
//then save as image once all in correct order
ImageIO.write(newImage, "bmp", new File("saved-Segment.bmp"));
JOptionPane.showMessageDialog(null, "New image saved successfully");
} catch (IOException e) {
e.printStackTrace();
}
}
答案 0 :(得分:3)
更简单的方法是使用Java2D的剪切功能:
BufferedImage cutHole(BufferedImage image, Polygon holeShape) {
BufferedImage newImage = new BufferedImage(
image.getWidth(), image.getHeight(), image.getType());
Graphics2D g = newImage.createGraphics();
Rectangle entireImage =
new Rectangle(image.getWidth(), image.getHeight());
Area clip = new Area(entireImage);
clip.subtract(new Area(holeShape));
g.clip(clip);
g.drawImage(image, 0, 0, null);
g.dispose();
return newImage;
}
BufferedImage clipToPolygon(BufferedImage image, Polygon polygon) {
BufferedImage newImage = new BufferedImage(
image.getWidth(), image.getHeight(), image.getType());
Graphics2D g = newImage.createGraphics();
g.clip(polygon);
g.drawImage(image, 0, 0, null);
g.dispose();
return newImage;
}