当我运行此代码时,我得到stackOverflow错误

时间:2013-03-29 06:53:27

标签: java image-processing stack-overflow

我必须得到值,我必须匹配图像中的像素值。但是当我运行此代码时,我得到了StackOverflowError

如何增加java中的堆栈内存以克服此问题。

public class ImageToText {
    private final int ALPHA = 24;
    private final int RED = 16;
    private final int GREEN = 8;
    private final int BLUE = 0;

    public static void main(String args[]) throws IOException {
        File file = new File("C:\\image.jpg");
        BufferedImage image = ImageIO.read(file);
        int color21=image.getHeight();
        int color31=image.getWidth();
        getRGBA(image,color31,color21);

        for (int i = 0; i < image.getHeight(); i++) 
        {
            for (int j = 0; j < image.getWidth(); j++)
            {
                int color = image.getRGB(j, i);
                int color2=image.getHeight();
                int color3=image.getWidth();
                System.out.println(color2);
            }
        }
    }

    public static int[] getRGBA(BufferedImage img, int x, int y)
    {
        int[] color = new int[4];
        int[] originalPixel =  getRGBA(img,x,y);

        for (int i=0;i<img.getWidth();i++)
        {
            for (int j=0;j<img.getHeight();j++)
            {
                int[] color1 =  getRGBA(img,i,j);

                if (originalPixel[0] == color1[0] && originalPixel[1] == color1[1] && originalPixel[2] == color1[2] && originalPixel[3] == color1[3])
                {
                    img.setRGB(i, j,Color.red.getRGB());
                }
                else
                {
                    img.setRGB(i, j,Color.yellow.getRGB());
                }
            }
        }
        return color;
    }
}

如何克服此错误?

3 个答案:

答案 0 :(得分:4)

getRGBA无限地调用自己:

public static int[] getRGBA(BufferedImage img, int x, int y)

  {

int[] color = new int[4];


 int[] originalPixel =  getRGBA(img,x,y);

这种事情导致StackOverflowError。

考虑添加递归的基本情况,这样您的代码就不会总是调用自身并且有“出路”。

答案 1 :(得分:0)

函数getRGBA中的这一行:

int[] originalPixel =  getRGBA(img,x,y);

这应该导致无限递归。

答案 2 :(得分:0)

main方法调用以下getRGBA方法。在getRGBA方法内,您再次调用该方法。这使得循环/递归执行没有退出标准。

public static int[] getRGBA(BufferedImage img, int x, int y) {
    int[] color = new int[4];
    int[] originalPixel =  getRGBA(img,x,y);
}

您必须在方法调用周围添加一些条件,以便递归执行停止。您的功能不够明确,无法说明您可以提出的条件。

public static int[] getRGBA(BufferedImage img, int x, int y) {
    int[] color = new int[4];
    if (some condition which becomes true) {
        int[] originalPixel =  getRGBA(img,x,y);
    }
}