1

我正在扩展 BufferedImage 类,以添加一些方法,如 getRed、getBlue、getGreen 来获取像素颜色。问题是我的原始图像是 BufferedImage 对象而不是我的扩展对象。当我尝试转换为扩展数据类型时,它不起作用。对不起我的英语不好

我收到这个错误

Exception in thread "main" java.lang.ClassCastException: java.awt.image.BufferedImage cannot be cast to asciiart.EBufferedImage

我试图从父类转换的代码

EBufferedImage character = (EBufferedImage)ImageClass.charToImage(letter, this.matrix_x, this.matrix_y);

我的扩展课

public class EBufferedImage extends BufferedImage 
{
public EBufferedImage(int width, int height, int imageType)
{
    super(width,height,imageType); 
}

/**
* Returns the red component in the range 0-255 in the default sRGB
* space.
* @return the red component.
*/
public int getRed(int x, int y) {
    return (getRGB(x, y) >> 16) & 0xFF;
}

/**
* Returns the green component in the range 0-255 in the default sRGB
* space.
* @return the green component.
*/
public int getGreen(int x, int y) {
    return (getRGB(x, y) >> 8) & 0xFF;
}

/**
* Returns the blue component in the range 0-255 in the default sRGB
* space.
* @return the blue component.
*/
public int getBlue(int x, int y) {
    return (getRGB(x, y) >> 0) & 0xFF;
}
}
4

1 回答 1

2

你有几个选择:

  1. 将构造函数添加到接受 aBufferedImage并适当设置所有内容的扩展类。

    public class ExtendedBufferedImage extends BufferedImage{
    
      public ExtendedBufferedImage(BufferedImage image){
          //set all the values here
      }
    
      //add your methods below
    }
    

    这似乎是很多工作和潜在的问题。如果你忘记设置一些变量,你可能会引入一些奇怪的错误,或者丢失你需要的信息。

  2. 创建一个包含 a 实例的包装类,BufferedImage然后将您的方法添加到其中。

    public class ExtendedBufferedImage{
      private BufferedImage image;  
    
      public ExtendedBufferedImage(BufferedImage image){
         this.image = image;
      }
    
      //add your methods below
    }
    

    这很合理,也不难。BufferedImage公开或添加一个 getter 方法,如果需要,您可以从中获取实际内容BufferedImage

  3. 创建一个实用程序类,将您的方法设置为静态并BufferedImage作为参数传入。

    public class BufferedImageUtil{
    
      public static int getRed(BufferedImage image, int x, int y) {
        return (image.getRGB(x, y) >> 16) & 0xFF;
      }
    
      //add your other methods
    }
    

    有些人不喜欢实用程序类,但我有点喜欢它们。如果您要在所有地方使用这些方法,我认为这是一个不错的选择。

就我个人而言,我会采用实用程序类路线,但如果您不喜欢那些路线,那么将其包装为选项 2 中的做法同样有效。

于 2012-11-02T21:21:04.463 回答