Simple program to create a simple cube in OpenGL

OpenGL database

Creating a simple cube in OpenGL involves defining the vertices, connecting them to form the cube’s faces, and rendering the cube. Here’s a basic example of how to create a cube in OpenGL using the OpenGL Utility Toolkit (GLUT) library for window management:

  1. Make sure you have the OpenGL and GLUT libraries installed on your system.
  2. Create a new C or C++ source file for your OpenGL program.
  3. Write the code for creating and rendering a cube:
#include <GL/glut.h>

void drawCube() {
    glBegin(GL_QUADS);
    // Front face
    glVertex3f(-0.5f, -0.5f, 0.5f);
    glVertex3f(0.5f, -0.5f, 0.5f);
    glVertex3f(0.5f, 0.5f, 0.5f);
    glVertex3f(-0.5f, 0.5f, 0.5f);

    // Back face
    glVertex3f(-0.5f, -0.5f, -0.5f);
    glVertex3f(0.5f, -0.5f, -0.5f);
    glVertex3f(0.5f, 0.5f, -0.5f);
    glVertex3f(-0.5f, 0.5f, -0.5f);

    // Right face
    glVertex3f(0.5f, -0.5f, 0.5f);
    glVertex3f(0.5f, -0.5f, -0.5f);
    glVertex3f(0.5f, 0.5f, -0.5f);
    glVertex3f(0.5f, 0.5f, 0.5f);

    // Left face
    glVertex3f(-0.5f, -0.5f, 0.5f);
    glVertex3f(-0.5f, -0.5f, -0.5f);
    glVertex3f(-0.5f, 0.5f, -0.5f);
    glVertex3f(-0.5f, 0.5f, 0.5f);

    // Top face
    glVertex3f(-0.5f, 0.5f, 0.5f);
    glVertex3f(0.5f, 0.5f, 0.5f);
    glVertex3f(0.5f, 0.5f, -0.5f);
    glVertex3f(-0.5f, 0.5f, -0.5f);

    // Bottom face
    glVertex3f(-0.5f, -0.5f, 0.5f);
    glVertex3f(0.5f, -0.5f, 0.5f);
    glVertex3f(0.5f, -0.5f, -0.5f);
    glVertex3f(-0.5f, -0.5f, -0.5f);

    glEnd();
}

void display() {
    glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
    glMatrixMode(GL_MODELVIEW);
    glLoadIdentity();
    gluLookAt(0, 0, 2, 0, 0, 0, 0, 1, 0);

    glColor3f(1.0f, 0.0f, 0.0f);
    glRotatef(0.5, 1.0, 0.0, 0.0);
    glRotatef(0.5, 0.0, 1.0, 0.0);

    drawCube();
    
    glutSwapBuffers();
}

int main(int argc, char** argv) {
    glutInit(&argc, argv);
    glutInitDisplayMode(GLUT_DOUBLE | GLUT_RGB | GLUT_DEPTH);
    glutInitWindowSize(800, 600);
    glutCreateWindow("OpenGL Cube Example");

    glEnable(GL_DEPTH_TEST);

    glutDisplayFunc(display);
    glutIdleFunc(display);
    glutMainLoop();

    return 0;
}

This code sets up a basic OpenGL window, defines a drawCube function to draw the cube’s faces, and the display function to render the cube. The cube is continuously rotated in the display function for a simple animation. Compile and run the program, and you should see a rotating cube in an OpenGL window. You can further customize the cube’s appearance and behavior based on your needs.

Leave a Reply

Your email address will not be published. Required fields are marked *