Click here to Skip to main content
15,867,328 members
Articles / Desktop Programming / MFC

Drawing an Image as a 3-D Surface

Rate me:
Please Sign up or sign in to vote.
4.88/5 (40 votes)
27 Jul 2011CPOL5 min read 105.9K   6.4K   111   39
Code is described for drawing an image as a 3D surface plot using OpenGL

205077/image001.jpg

Introduction

Image processing functions usually involve manipulation of the pixels and colors and displaying the image as a picture in a typical 2D fashion. For scientific applications, sometimes more insight may be gleaned from image features by drawing the image as a 3D surface. This article will describe code that was developed for an image processing application to draw an image as a 3D surface using OpenGL in a dialog window with interactive rotation and zoom.

Background

The image processing application is built as an MFC multi-document interface and utilizes the Microsoft ATL CImage class since it already has the built-in capability for opening and saving images in the most popular formats. The standard CImage member function CImage::Load reads the image file into a bottom-up DIB. However, this can be inconvenient for accessing pixels, so the image is reformatted into a top-down DIB and 32 bit (since most display adapters are now true color) to standardize pixel handling. See Convert32Bit code.

C++
//-----------------------------------------------------------------------
// This function converts 8, 24, & 32 bit DIBs to 32 bit top-down.
//-----------------------------------------------------------------------
void CImagrDoc::Convert32Bit()
{
    if (m_image.GetBPP() < 8) return;

    byte *t, r, g, b;
    int *p, *q, *buf;
    unsigned long i, j, nx, ny;
    RGBQUAD *pRGB = new RGBQUAD[256];   // For GetDIBColorTable()

    nx = m_image.GetWidth();
    ny = m_image.GetHeight();
    unsigned long n = nx * ny;   // No. of pixels

    // Allocate n sized buffer for temp storage
    if (!(buf = (int *)malloc(n * sizeof(int)))) {
       fMessageBox("Error - " __FUNCTION__, MB_ICONERROR,
                    "malloc() error for size: %d", n);
       return;
    }

    BeginWaitCursor();
    switch (m_image.GetBPP()) {
       case 8:
           if (!(i = GetDIBColorTable(m_image.GetDC(), 0, 256, pRGB))) {
               fMessageBox("Error - " __FUNCTION__, MB_ICONERROR,
                          "GetDIBColorTable() error");
               m_image.ReleaseDC();
               goto End;
           }
           //ATLTRACE2("*"__FUNCTION__" GetDIBColorTable(): %d\n", i);
           m_image.ReleaseDC();

           for (j = 0, q = buf; j < ny; j++) {
               t = (byte *) m_image.GetPixelAddress(0, j);
               for (i = 0; i < nx; i++, t++, q++) {
                  r = pRGB[*t].rgbRed;
                  g = pRGB[*t].rgbGreen;
                  b = pRGB[*t].rgbBlue;
                  *q = RGB(b, g, r);    // CImage is BGR
               }
           }
           break;
       case 24:
           for (j = 0, q = buf; j < ny; j++) {
               // Addr. next row (avoids 24 bit offset bottom-up calc.)
               t = (byte *) m_image.GetPixelAddress(0, j);
               for (i = 0; i < nx; i++, t++, q++) {
                  b = *t;        // CImage is BGR
                  g = *(++t);
                  r = *(++t);
                  *q = RGB(b, g, r);
               }
           }
           break;
       case 32:   // Just need to make top-down
           for (j = 0, q = buf; j < ny; j++) {
               // Addr. next row (avoids bottom-up calc.)
               p = (int *) m_image.GetPixelAddress(0, j);
               for (i = 0; i < nx; i++, p++, q++) {
                  *q = *p;
               }
           }
           break;
    }

    // Start a new CImage
    m_image.Destroy();
    if (!m_image.Create(nx, -(int)ny, 32, 0)) {
       fMessageBox("Error - " __FUNCTION__, MB_ICONERROR,
 "Failed bitmap .Create()");
       goto End;
    }
    p = (int *) m_image.GetBits();   // Ptr to new bitmap (top-down DIB)
    memcpy_s(p, n * sizeof(int), buf, n * sizeof(int)); // Copy buf to bitmap
    m_image.ptype = cRGB;        // Update pixel type

End:
    EndWaitCursor();
    free(buf);
}

Once in top-down mode, pixel manipulations are made much simpler. CImage::GetBits() can be used to return a pointer to the first pixel (top-left pixel) and then subsequent pixels are accessed by simply incrementing the pointer in a single for loop.

Pierre Alliez’s code was very helpful on how to setup the device context and pixel format for an OpenGL dialog window (see www.codeproject.com/KB/openGL/wrl_viewer.aspx). Four function calls are needed to establish the device context:

  1. GetSafeHwnd() to get a window handle
  2. GetDC(hWnd) to get the hDC
  3. SetWindowPixelFormat(hDC) to setup the pixel format, and
  4. wglCreateContext(hDC) to create the OpenGL device context

See the OnInitDialog() and SetWindowPixelFormat() code for details.

Using the Code

The application draws the 3D image in three OpenGL drawing modes by a chosen menu selection:

  1. GL_LINE_STRIP (pixel rows drawn as lines)
  2. GL_QUADS (4-sided polygons), and
  3. GL_TRIANGLES (3-sided polygons)

The image base is drawn in the x-z plane with the pixel values extending as hills or valleys into the y-axis. Pixel positions are specified from the array of row and column indices. Since each pixel has a red, green, and blue (RGB) component, these need to be mapped into a single y-value for drawing. This is done by using a grey scale conversion calculation as shown below (but could also be done by simply calculating the average of the three RGB values).

C++
y = RED(*p)*0.299 +
GRN(*p)*0.587 + BLU(*p)*0.114

RED, GRN, and BLU are macros that separate the color components from the 32 bit integer pixel value that p points to. (Note: Due to the way the CImage class stores the blue and red bits, the standard macros GetRValue and GetBValue do not return the red and blue components, respectively, but instead return the blue and red; that is, RED = GetBValue, BLU = GetRValue, and GRN = GetGValue.)

Before calling glVertex3i, pixel values are converted to the nearest integer by a macro called NINT (negative pixel values are accounted for here for certain imaging applications):

C++
#define NINT(f)
((f >= 0) ? (int)(f + .5) : (int)(f - .5))

High-resolution images, e.g. greater than 1k pixels square, may look overly cluttered with too many lines drawn (depending on the display resolution and window size). The variable m_Res is used to reduce the drawing resolution by simply skipping pixels in columns and rows. Interpolation may be used, but this method is faster and has been found to work acceptably. The variable m_Res is a counter of skipped rows and columns so as it increases the drawing resolution decreases. Menu options handle halving or doubling m_Res (i.e. values typically increase as 1, 2, 4, 8, …), as this has been found to work acceptably in reducing lines quickly.

Image 2

Full resolution

Image 3

¼ resolution

Drawing is done by calling glVertex3i in a glBegin-glEnd block. The GL_LINE_STRIP mode simply draws each pixel in a row as a connected line segment. GL_QUADS mode draws four pixels (the current pixel (i, j), the one to its right (i+1, j), the one on the row below it (i, j+1), and the one to the right of that one (i+1, j+1) and so calls glVertex3i four times for each loop. (Note: For readability, +1 was used here, but the code actually does + m_Res as explained above). The GL_TRIANGLES mode also requires the same four pixels per loop, but requires six calls to glVertex3i (drawing two sets of three) due to the way the polygons are drawn and connected. See the OnPaint() code.

Image 4

GL_LINE_STRIP

Image 5

GL_QUADS

Image 6

GL_TRIANGLES
C++
void CPlotimDialog::OnPaint()
{
    CDialog::OnPaint();   			// Base class

    if (!m_pDoc) {
fMessageBox("Error - " __FUNCTION__, MB_ICONERROR, "Invalid document pointer");
       return;
    }

    HWND hWnd = GetSafeHwnd();
    HDC hDC = ::GetDC(hWnd);
    wglMakeCurrent(hDC, m_hGLContext);  	// Select as the rendering context

    CMyImage *image = &m_pDoc->m_image;
    int *p = (int *) image->GetBits();  	// Ptr to bitmap
    unsigned long nx = m_pDoc->GetImageCSize().cx;
    unsigned long ny = m_pDoc->GetImageCSize().cy;
    int r, r2, r3, r4, *q;
    unsigned long i, j;
    int min, max;
    GLfloat xscale, yscale, zscale;

    m_pDoc->GetImageMinMax(&min, &max);
    xscale = m_Scale/(GLfloat)nx;       	// Size may have changed
    zscale = m_Scale/(GLfloat)ny;
    yscale = m_Scale/((GLfloat)(max - min)*(GLfloat)2.); // Normalize

    if (m_New) {   // Begin with a nice rotated view
       glClearColor(m_Bkcolor, m_Bkcolor, m_Bkcolor, 0.0); // Set def. background
       glRotatef(m_xRotation, 0.0, 1.0, 0.0);  	// About y-axis
       glRotatef(m_yRotation, 1.0, 0.0, 0.0);  	// About x-axis
    }
    glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
    glPolygonMode(GL_FRONT_AND_BACK, m_Fill);

    glPushMatrix();
    glEnable(GL_DEPTH_TEST); /* Enable hidden-surface-removal */

    glTranslatef(-((GLfloat)nx/(GLfloat)2.) * xscale,
                -((GLfloat)(max + min)/(GLfloat)2.) * yscale,
                 ((GLfloat)ny/(GLfloat)2.) * zscale);
    glScalef(xscale, yscale, zscale);

    //(Add if needed) BeginWaitCursor();
    switch (m_DrawMode) {
       case GL_LINE_STRIP:
           for (j = 0; j < ny; j += m_Res) {
               p = (int *)image->GetPixelAddress(0, j); // Inc. addr. for m_Res
               glBegin(m_DrawMode);
              for (i = 0; i < nx; i += m_Res, p += m_Res) {
                  //r = NINT((RED(*p) + GRN(*p) + BLU(*p))/3.);
                  //(Not much diff.)
                  r = NINT(RED(*p)*0.299 + GRN(*p)*0.587 + BLU(*p)*0.114);
                  MapColor(p);
                  glVertex3i(i, r, -(signed)j);
               }
               glEnd();
           }
           break;
       case GL_QUADS:
           glBegin(m_DrawMode);
           for (j = 0; j < ny; j += m_Res) {
               p = (int *)image->GetPixelAddress(0, j);
               for (i = 0; i < nx; i += m_Res, p += m_Res) {
                  r = NINT(RED(*p)*0.299 + GRN(*p)*0.587 + BLU(*p)*0.114);
                  if (i + m_Res < nx) {
                      r2 = NINT(RED(*(p+m_Res))*0.299
                             + GRN(*(p+m_Res))*0.587
                             + BLU(*(p+m_Res))*0.114);
                  }
                  else break;

                  if (j + m_Res < ny) {
                      q = p + nx*m_Res;
                      r3 = NINT(RED(*q)*0.299
                             + GRN(*q)*0.587
                             + BLU(*q)*0.114);
                      r4 = NINT(RED(*(q+m_Res))*0.299
                             + GRN(*(q+m_Res))*0.587
                             + BLU(*(q+m_Res))*0.114);
                  }
                  else break;

                  MapColor(p);
                  glVertex3i(i, r, -(signed)j);
                  MapColor(p+m_Res);
                  glVertex3i(i + m_Res, r2, -(signed)j);
                  MapColor(q+m_Res);
                  glVertex3i(i + m_Res, r4, -(signed)(j + m_Res));
                  MapColor(q);
                  glVertex3i(i, r3, -(signed)(j + m_Res));
               }
           }
           glEnd();
           break;
       case GL_TRIANGLES:
           glBegin(m_DrawMode);
           for (j = 0; j < ny; j += m_Res) {
               p = (int *)image->GetPixelAddress(0, j);
               for (i = 0; i < nx; i += m_Res, p += m_Res) {
                  r = NINT(RED(*p)*0.299 + GRN(*p)*0.587 + BLU(*p)*0.114);
                  if (i + m_Res < nx) {
                      r2 = NINT(RED(*(p+m_Res))*0.299
                             + GRN(*(p+m_Res))*0.587
                             + BLU(*(p+m_Res))*0.114);
                  }
                  else break;

                  if (j + m_Res < ny) {
                      q = p + nx*m_Res;
                      r3 = NINT(RED(*q)*0.299
                             + GRN(*q)*0.587
                             + BLU(*q)*0.114);
                      r4 = NINT(RED(*(q+m_Res))*0.299
                             + GRN(*(q+m_Res))*0.587
                             + BLU(*(q+m_Res))*0.114);
                  }
                  else break;

                  MapColor(p);
                  glVertex3i(i, r, -(signed)j);
                  MapColor(p+m_Res);
                  glVertex3i(i + m_Res, r2, -(signed)j);
                   MapColor(q);
                  glVertex3i(i, r3, -(signed)(j + m_Res));

                  MapColor(p+m_Res);
                  glVertex3i(i + m_Res, r2, -(signed)j);
                  MapColor(q);
                  glVertex3i(i, r3, -(signed)(j + m_Res));
                  MapColor(q+m_Res);
                  glVertex3i(i + m_Res, r4, -(signed)(j + m_Res));
               }
           }
           glEnd();
           break;
    }
    glPopMatrix();
    glFlush();
    SwapBuffers(hDC);

    if (m_New) {
       TextOut(0, 0, RGB(200,0,0), "Left click+drag to rotate view, "
                                 "right click+drag to zoom");
       m_New = false;
    }

    //EndWaitCursor();
    ::ReleaseDC(hWnd, hDC);
}

The MapColor function handles changing the current drawing color to the passed pixel’s RGB values and makes the call to glColor3f. Pixels with values closer to zero (valleys) appear as darker colored areas in the image and higher valued pixels (hills) as lighter colored regions. The three values passed to glColor3f must be of type float between [0.0, 1.0], so each byte color component (range [0, 255]) is converted to float and divided by the maximum value 255.

C++
glColor3f(RED(*p)/(GLfloat)255.,GRN(*p)/(GLfloat)255.,BLU(*p)/(GLfloat)255.)

By default, the application draws the image as a wireframe mesh (GL_LINE mode), but a menu option changes the variable m_Fill = GL_FILL. This is passed to glPolygonMode to change the mode to filled (solid) polygons. The polygon’s color is determined by the pixels that describe the polygon or line and OpenGL smoothly varies the colors.

Image 7

Image 8

Image 9

K18 image
K18 wireframe
K18 solid polygons

Image 10

Image 11

Image 12

Pseudo-colored K18s
K18s wireframe
K18s solid

Once the image is drawn, it’s very useful to be able to rotate and zoom to view from different angles or even underneath. A left-click and drag is used to rotate the drawing and a right-click and drag is used to zoom. Handling the mouse events is done in the usual way and mouse down coordinates are saved in member variables to pass to OnMouseMove. During the mouse capture event, the OnMouseMove function handles the x, y rotations by calling glRotatef. Zooming is done by changing the scale variable m_Scale which is used in OnPaint to calculate scales for x, y, and z based on the image size and the maximum and minimum pixel values. See OnMouseMove.

C++
//-----------------------------------------------------------------------
// The framework calls this member function when the mouse cursor moves.
//-----------------------------------------------------------------------
void CPlotimDialog::OnMouseMove(UINT nFlags, CPoint point)
{
    if (m_LeftButtonDown) { 		// Left : x / y rotation
       HWND hWnd = GetSafeHwnd();
       HDC hDC = ::GetDC(hWnd);
       wglMakeCurrent(hDC, m_hGLContext);
       glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
       glLoadIdentity();

       m_xRotation += m_LeftDownPos.x - point.x;
       glRotatef(m_xRotation, 0.0, 1.0, 0.0); // About y-axis

       m_yRotation += m_LeftDownPos.y - point.y;
       glRotatef(m_yRotation, 1.0, 0.0, 0.0);	// About x-axis
       //ATLTRACE2("***"__FUNCTION__" (%f, %f)\n", m_xRotation, m_yRotation);

       m_LeftDownPos = point;   		// Save for next call
       InvalidateRect(NULL, FALSE); 		// (Faster) Invalidate();

       ::ReleaseDC(hWnd, hDC);
    }
    else if (m_RightButtonDown) {    	// Right : z translation (zoom)
       m_Scale += (m_RightDownPos.y - point.y)/(float)60.0; // 60.0 zoom rate
       m_RightDownPos = point;
       InvalidateRect(NULL, FALSE);
    }

    CDialog::OnMouseMove(nFlags, point);
}

Conclusion

In conclusion, OpenGL was used in a multidocument MFC based C++ application to draw 2D imagery as a 3D surface. Portions of the application’s code was shown so that it can be used in new applications. Having a 3D surface drawing of complex data and being able to rotate and zoom the drawing interactively can be very useful tools to have in an image processing application.

History

  • 1st June, 2011: Initial version
  • 26th July, 2011: Updated source code - more complete set for users to build a project with

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionInvert Valleys and Hills Pin
mr.axe14-Jul-19 11:29
mr.axe14-Jul-19 11:29 
QuestionSame Program on C# Pin
MIrchhh23-Feb-13 9:07
MIrchhh23-Feb-13 9:07 
AnswerRe: Same Program on C# Pin
Darryl Bryk25-Feb-13 4:36
Darryl Bryk25-Feb-13 4:36 
GeneralRe: Same Program on C# Pin
MIrchhh12-May-13 3:14
MIrchhh12-May-13 3:14 
GeneralRe: Same Program on C# Pin
Darryl Bryk13-May-13 6:08
Darryl Bryk13-May-13 6:08 
GeneralRe: Same Program on C# Pin
MIrchhh13-May-13 10:50
MIrchhh13-May-13 10:50 
GeneralRe: Same Program on C# Pin
Darryl Bryk15-May-13 9:48
Darryl Bryk15-May-13 9:48 
GeneralRe: Same Program on C# Pin
MIrchhh16-May-13 9:42
MIrchhh16-May-13 9:42 
GeneralRe: Same Program on C# Pin
Darryl Bryk16-May-13 9:46
Darryl Bryk16-May-13 9:46 
GeneralRe: Same Program on C# Pin
MIrchhh16-May-13 10:35
MIrchhh16-May-13 10:35 
GeneralRe: Same Program on C# Pin
Darryl Bryk16-May-13 10:39
Darryl Bryk16-May-13 10:39 
GeneralRe: Same Program on C# Pin
MIrchhh12-May-13 3:18
MIrchhh12-May-13 3:18 
AnswerRe: Same Program on C# Pin
KarstenK6-Jun-13 21:24
mveKarstenK6-Jun-13 21:24 
QuestionThat is awesome Pin
Sacha Barber19-Jul-12 6:07
Sacha Barber19-Jul-12 6:07 
GeneralMy vote of 5 Pin
Somnath_Mali26-Jun-12 22:36
Somnath_Mali26-Jun-12 22:36 
GeneralMy vote of 5 Pin
Sergey Lapp28-Apr-12 1:20
Sergey Lapp28-Apr-12 1:20 
GeneralMy vote of 5 Pin
Member 1657981-Aug-11 7:35
Member 1657981-Aug-11 7:35 
QuestionMy vote of 5 Pin
Jamming127-Jul-11 16:28
Jamming127-Jul-11 16:28 
AnswerRe: My vote of 5 Pin
Darryl Bryk28-Jul-11 6:11
Darryl Bryk28-Jul-11 6:11 
GeneralMy vote of 5 Pin
Jamming127-Jul-11 16:25
Jamming127-Jul-11 16:25 
QuestionThis is good! Pin
RedDk27-Jul-11 10:15
RedDk27-Jul-11 10:15 
Questioninteresting Pin
BillW3315-Jul-11 7:34
professionalBillW3315-Jul-11 7:34 
GeneralVery interesting Pin
Amarnath S16-Jun-11 21:34
professionalAmarnath S16-Jun-11 21:34 
GeneralRe: Very interesting Pin
Darryl Bryk27-Jul-11 4:19
Darryl Bryk27-Jul-11 4:19 
GeneralMy vote of 5 Pin
yafan15-Jun-11 3:33
yafan15-Jun-11 3:33 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.