0

フラッドフィルアルゴリズムを実装しようとしています。しかし、glReadPixels()は、私が設定した実際の値とはわずかに異なるピクセルのfloat RGB値を返しているため、アルゴリズムが失敗します。なぜこうなった?

返されたRGB値を出力して確認します。

#include<iostream>
#include<GL/glut.h>
using namespace std;

float boundaryColor[3]={0,0,0}, interiorColor[3]={0,0,0.5}, fillColor[3]={1,0,0};
float readPixel[3];

void init(void) {
    glClearColor(0,0,0.5,0);
    glMatrixMode(GL_PROJECTION);
    gluOrtho2D(0,500,0,500);
}

void setPixel(int x,int y) {        
        glColor3fv(fillColor);
        glBegin(GL_POINTS); 
             glVertex2f(x,y); 
        glEnd();
}

void getPixel(int x, int y, float *color) {
    glReadPixels(x,y,1,1,GL_RGB,GL_FLOAT,color);
}

void floodFill(int x,int y) {
    getPixel(x,y,readPixel);

    //outputting values here to check
    cout<<readPixel[0]<<endl;
    cout<<readPixel[1]<<endl;
    cout<<readPixel[2]<<endl;

    if( readPixel[0]==interiorColor[0] && readPixel[1]==interiorColor[1] && readPixel[2]==interiorColor[2] ) {
        setPixel(x,y);
        floodFill(x+1,y);
        floodFill(x,y+1);
        floodFill(x-1,y);
        floodFill(x,y-1);
    }
}

void display() {
    glClear(GL_COLOR_BUFFER_BIT);

    glColor3fv(boundaryColor);
    glLineWidth(3); 

    glBegin(GL_LINE_STRIP);
        glVertex2i(150,150);        
        glVertex2i(150,350);        
        glVertex2i(350,350);        
        glVertex2i(350,150);
        glVertex2i(150,150);
    glEnd();

    floodFill(200,200);

    glFlush();
}

int main(int argc,char** argv) {
    glutInit(&argc,argv);
    glutInitDisplayMode(GLUT_SINGLE | GLUT_RGB);
    glutInitWindowPosition(100,100);
    glutInitWindowSize(500,500);
    glutCreateWindow("Flood fill");

    init();
    glutDisplayFunc(display);
    glutMainLoop();
}
4

1 に答える 1

4

色は0.0、0.0、0.5と表示されると思いました。

なんで?浮動小数点フレームバッファにレンダリングしているようには見えません。これは、正規化された整数を格納するバッファーにレンダリングする可能性が高いことを意味しGL_RGBA8ます(つまり、[0、255]の範囲を[0、1]浮動小数点値にマップします)。ええと、8ビットの正規化された整数は0.5を正確に格納できません。最も近いのは127/255で、これは0.498です。

「正確な値」が必要な場合は、正確な値を提供するレンダリングターゲットにレンダリングする必要があります。IE:画面ではありません。

于 2012-09-11T15:37:09.263 に答える