我正在做一个项目,其中我必须否定PPM文件(图像)的像素。

我这样实现了求反函数:

public PPMImage negate()
{
    RGB[] negated = new RGB[pixels.length];
    System.arraycopy(pixels, 0, negated, 0, pixels.length);
    RGB[] negatedArr = Arrays.stream(negated).parallel().map(rgb -> rgb.neg(maxColorVal)).toArray(size -> new RGB[size]);
    return new PPMImage(width, height, maxColorVal, negatedArr);
}

使用neg(maxColorVal)函数定义为:
public void neg(int maxColorVal)
{
    R = maxColorVal - R;
    G = maxColorVal - G;
    B = maxColorVal - B;
}

编译代码时,出现以下错误:
error: incompatible types: inferred type does not conform to upper bound(s)
RGB[] negatedArr = Arrays.stream(negated).parallel().map(rgb -> rgb.neg(maxColorVal)).toArray(size -> new RGB[size]);

inferred: void
upper bound(s): Object

错误指向map()函数。我做错了什么?

最佳答案

校正:

您的map函数需要一个返回某些引用类型的方法,但是neg具有void返回类型。

尝试将neg方法更改为:

public RGB neg(int maxColorVal) {
    R = maxColorVal - R;
    G = maxColorVal - G;
    B = maxColorVal - B;
    return this;
}

关于java - 推断的类型不符合上限,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/27245994/

10-10 18:11