Click here to Skip to main content
15,868,099 members
Articles / Desktop Programming / Windows Forms
Article

Creating an OpenGL view on a Windows Form

Rate me:
Please Sign up or sign in to vote.
4.72/5 (47 votes)
20 Oct 20063 min read 636.9K   20.9K   80   176
How to create an OpenGL view on a Windows Form.

Screenshot Image

Introduction

This article presents a very clean and simple method to render an OpenGL window on a Windows Forms using Managed C++. This method requires no add-ins, third party DLLs, or ActiveX components, often demonstrated with C# Windows Forms. This implementation is in pure .NET using Managed C++. This article assumes the reader has a working knowledge of OpenGL and is using Microsoft Visual Studio .NET 8.0.

Background

Presenting an OpenGL window on an MFC view was very straight forward and easy to implement. The advent of Windows Forms however presents some problems. The concept of the window Device Context does not really exist in Windows Forms. There are some implementations of OpenGL on Windows Forms already out there but these rely on DLLs or ActiveX components containing MFC or Win32 SDK calls. These implementations also assume that the programmer is using C#. Whilst there are some advantages of using C#, I suspect that, like myself, I don't want to rewrite my existing applications in C# just to take advantage of Windows Forms. I also suspect that many C++ programmers don't want or can't move to C#, for corporate reasons or whatever. The implementation here is using pure Managed C++ and .NET.

The implementation

Firstly, we need a new Windows Forms application to work with. Create a new a new Windows Forms application (File -> New -> Project -> Visual C++ -> CLR -> Windows Forms Application).

We will now build an OpenGL class that can be used on several Windows Forms. This can be easily converted into a control that can be added to the Design Time Designer, but I'm not covering that.

Create a new header file for the class, I called my OpenGL.h and copy the following code snippets into it. I will comment below the snippet what the code actually does: -

#pragma once

#include <windows.h>
#include <GL/gl.h>    

using namespace System::Windows::Forms;

namespace OpenGLForm
{
    public ref class COpenGL: 
      public System::Windows::Forms::NativeWindow

All we've done here is include the necessary headers for OpenGL and decoare a managed C++ class for OpenGL.

{
public:
    COpenGL(System::Windows::Forms::Form ^ parentForm, 
            GLsizei iWidth, GLsizei iHeight)
    {
        CreateParams^ cp = gcnew CreateParams;

        // Set the position on the form
        cp->X = 100;
        cp->Y = 100;
        cp->Height = iWidth;
        cp->Width = iHeight;

        // Specify the form as the parent.
        cp->Parent = parentForm->Handle;

        // Create as a child of the specified parent
        // and make OpenGL compliant (no clipping)
        cp->Style = WS_CHILD | WS_VISIBLE | 
                    WS_CLIPSIBLINGS | WS_CLIPCHILDREN;

        // Create the actual window
        this->CreateHandle(cp);

        m_hDC = GetDC((HWND)this->Handle.ToPointer());

        if(m_hDC)
            MySetPixelFormat(m_hDC);
    }

This constructor takes parameters of a parent form, the width of the OpenGL area and the height of the OpenGL area.

The System::Windows::Forms::CreateParams structure allows us to create a Win32 window. We specify WS_CLIPSIBLINGS | WS_CLIPCHILDREN so that our OpenGL display won't be clipped.

virtual System::Void Render(System::Void)
{
    // Clear the color and depth buffers.
    glClearColor(0.0f, 0.0f, 0.0f, 0.0f) ;
    glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
}

This is an overridden function that simply fills the OpenGL area with black.

System::Void SwapOpenGLBuffers(System::Void)
{
    SwapBuffers(m_hDC) ;
}

This is called directly after the OpenGL rendering to put the contents of the OpenGL buffer into our window.

private:
    HDC m_hDC;
    HGLRC m_hglrc;

These are the pointers we need to interact with the Form.

protected:
    ~COpenGL(System::Void)
    {
        this->DestroyHandle();
    }

When destroying the Form, we dispose of our window.

    GLint MySetPixelFormat(HDC hdc)
    {
        PIXELFORMATDESCRIPTOR pfd = { 
            sizeof(PIXELFORMATDESCRIPTOR),    // size of this pfd 
            1,                                // version number 
            PFD_DRAW_TO_WINDOW |              // support window 
            PFD_SUPPORT_OPENGL |              // support OpenGL 
            PFD_DOUBLEBUFFER,                 // double buffered 
            PFD_TYPE_RGBA,                    // RGBA type 
            24,                               // 24-bit color depth 
            0, 0, 0, 0, 0, 0,                 // color bits ignored 
            0,                                // no alpha buffer 
            0,                                // shift bit ignored 
            0,                                // no accumulation buffer 
            0, 0, 0, 0,                       // accum bits ignored 
            32,                               // 32-bit z-buffer     
            0,                                // no stencil buffer 
            0,                                // no auxiliary buffer 
            PFD_MAIN_PLANE,                   // main layer 
            0,                                // reserved 
            0, 0, 0                           // layer masks ignored 
        }; 
    
        GLint  iPixelFormat; 
     
        // get the device context's best, available pixel format match 
        if((iPixelFormat = ChoosePixelFormat(hdc, &pfd)) == 0)
        {
            MessageBox::Show("ChoosePixelFormat Failed");
            return 0;
        }
         
        // make that match the device context's current pixel format 
        if(SetPixelFormat(hdc, iPixelFormat, &pfd) == FALSE)
        {
            MessageBox::Show("SetPixelFormat Failed");
            return 0;
        }
    
        if((m_hglrc = wglCreateContext(m_hDC)) == NULL)
        {
            MessageBox::Show("wglCreateContext Failed");
            return 0;
        }
        
        if((wglMakeCurrent(m_hDC, m_hglrc)) == NULL)
        {
            MessageBox::Show("wglMakeCurrent Failed");
            return 0;
        }
    
        return 1;
    }
};

Standard function to set a pixel format for a Win32 SDK / MFC Device Context. See OpenGL websites for more on this.

If you copy all of the snippets it should build fine, don't forget to add openGL32.lib, gdi32.lib, and User32.lib to your project (Project -> Properties -> Configuration -> All Configurations -> Linker -> Input).

The test container

Open the code view to your form and add the header to your OpenGL class and add a member variable that is a pointer to the class in your Form. Next, change your Form's constructor: -

OpenGL = gcnew COpenGL(this, 640, 480);

If you now override your Paint() function (Forms Designer -> Properties -> Events -> Appearance -> Paint) and call your OpenGL renderer from this:

private: System::Void timer1_Tick(System::Object^  sender, 
                                  System::EventArgs^  e)
{
    UNREFERENCED_PARAMETER(sender);
    UNREFERENCED_PARAMETER(e);
    OpenGL->Render();
    OpenGL->SwapOpenGLBuffers();
}

Run your application! That's it, simply! OpenGL on a Windows Forms!

Points of interest

This method works because the System::Windows::Forms::NativeWindow provides a low-level encapsulation of a window handle and a window procedure. This allows us to treat the class as a HWND (see my user control).

I've changed the demo slightly to show it is more likely to be used. I did this because I've purposefully kept the OpenGL simple (I've not even setup the viewport or viewing frustrum but that is entirely application specific, my article is to show the method of creating an OpenGL view on a Windows Forms).

History

  • 2006/10/18 - Submitted article to CodeProject.

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


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

 
QuestionDisplay Lists Pin
revillusion4402-Oct-07 1:24
revillusion4402-Oct-07 1:24 
GeneralRe: Display Lists Pin
BugX14-Mar-08 12:09
BugX14-Mar-08 12:09 
QuestionWhy this example doesn't work with me? Pin
WMendes17-Sep-07 3:19
WMendes17-Sep-07 3:19 
QuestionTransparent Panel + Native Window + Mouse Event? Pin
spm_manage12-Jun-07 3:37
spm_manage12-Jun-07 3:37 
AnswerRe: Transparent Panel + Native Window + Mouse Event? Pin
smoulay4-Jul-07 15:00
smoulay4-Jul-07 15:00 
QuestionHow to make this without an installer Pin
kelcel8-Jun-07 8:43
kelcel8-Jun-07 8:43 
QuestionDoes this work? Pin
KeeperMustDie31-May-07 19:40
KeeperMustDie31-May-07 19:40 
AnswerRe: Does this work? Pin
kelcel8-Jun-07 8:25
kelcel8-Jun-07 8:25 
GeneralRe: Does this work? Pin
KeeperMustDie9-Jun-07 0:24
KeeperMustDie9-Jun-07 0:24 
GeneralRe: Does this work? Pin
swdev.bali22-Aug-10 17:20
swdev.bali22-Aug-10 17:20 
AnswerRe: Does this work? [modified] Pin
m00sej00se26-Oct-08 7:12
m00sej00se26-Oct-08 7:12 
GeneralHosting control in IE Pin
sswin25-May-07 7:22
sswin25-May-07 7:22 
GeneralCompile with VC++ 2005 Experess Pin
macin2222-May-07 8:55
macin2222-May-07 8:55 
GeneralRe: Compile with VC++ 2005 Experess Pin
macin2222-May-07 9:38
macin2222-May-07 9:38 
GeneralOpenGL null reference check needed Pin
fred_brent6-May-07 7:41
fred_brent6-May-07 7:41 
GeneralRe: OpenGL null reference check needed Pin
kfir irani10-Jun-07 8:59
kfir irani10-Jun-07 8:59 
GeneralRe: OpenGL null reference check needed Pin
WaltN6-Jul-07 9:45
WaltN6-Jul-07 9:45 
QuestionPlz help! Pin
KeeperMustDie28-Apr-07 9:57
KeeperMustDie28-Apr-07 9:57 
AnswerRe: Plz help! Pin
blue5teel29-Apr-07 2:58
blue5teel29-Apr-07 2:58 
GeneralRe: Plz help! Pin
KeeperMustDie29-Apr-07 5:23
KeeperMustDie29-Apr-07 5:23 
QuestionCan i add my OpenGL-Component to the Toolbox ? Pin
blue5teel25-Apr-07 0:24
blue5teel25-Apr-07 0:24 
GeneralExcellent article Pin
MRA7869-Mar-07 1:25
MRA7869-Mar-07 1:25 
GeneralResizing Pin
prelution8-Mar-07 6:04
prelution8-Mar-07 6:04 
GeneralRe: Resizing Pin
prelution11-Mar-07 13:00
prelution11-Mar-07 13:00 
GeneralRe: Resizing Pin
prelution16-Apr-07 7:18
prelution16-Apr-07 7:18 

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.