Ubuntu 安装 glfw 和 OpenGL
Ubuntu 安装 glfw 和 OpenGL
安装 glfw
下载源码,解压
在官网下载最新源码 glfw-x.x.x.zip
解压
1 | unzip glfw-x.x.x.zip |
编译安装
安装依赖库
1
sudo apt install build-essential cmake
进入 glfw-x.x.x 目录,建立glfw-build子目录
1
sudo mkdir glfw-build
进入glfw-build,使用cmake命令生成Makefile
1
sudo cmake ../
make && make install
1
2sudo make
sudo make install测试运行
新建文件
test.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
int main(void)
{
GLFWwindow* window;
/* Initialize the library */
if (!glfwInit())
return -1;
/* Create a windowed mode window and its OpenGL context */
window = glfwCreateWindow(640, 480, "Hello World", NULL, NULL);
if (!window)
{
glfwTerminate();
return -1;
}
/* Make the window's context current */
glfwMakeContextCurrent(window);
/* Loop until the user closes the window */
while (!glfwWindowShouldClose(window))
{
/* Render here */
glClear(GL_COLOR_BUFFER_BIT);
/* Swap front and back buffers */
glfwSwapBuffers(window);
/* Poll for and process events */
glfwPollEvents();
}
glfwTerminate();
return 0;
}编译测试
- 查看链接命令,每个输出结果连接起来。
1
2
3
4
5
6pkg-config --static --libs glfw3
# -L/usr/local/lib -lglfw3 -lrt -lm -ldl -lXrandr -lXinerama -lXxf86vm -lXext -lXcursor -lXrender -lXfixes -lX11 -lpthread -lxcb -lXau -lXdmcp
pkg-config --libs gl
# -lGL
# 另外还需链接:
# -lX11 -lm -lrt -ldl- 组成编译语句
1
gcc -o test test.c -L/usr/local/lib -lglfw3 -lrt -lm -ldl -lXrandr -lXinerama -lXxf86vm -lXext -lXcursor -lXrender -lXfixes -lX11 -lpthread -lxcb -lXau -lXdmcp -lGL -lX11 -lm -lrt -ldl
安装 OpenGL
一行全部安装:编译环境, OpenGLLibrary, OpenGLUtilities, OpenGLUtility Toolkit
1
sudo apt-get install build-essential libgl1-mesa-dev libglu1-mesa-dev freeglut3-dev
此时openGL安装完毕,以下为测试阶段
新建文件
opengl.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
void init(void) {
glClearColor(0.0, 0.0, 0.0, 0.0);
glMatrixMode(GL_PROJECTION);
glOrtho(-5, 5, -5, 5, 5, 15);
glMatrixMode(GL_MODELVIEW);
gluLookAt(0, 0, 10, 0, 0, 0, 0, 1, 0);
return;
}
void display(void) {
glClear(GL_COLOR_BUFFER_BIT);
glColor3f(1.0, 0, 0);
glutWireTeapot(3);
glFlush();
return;
}
int main(int argc, char * argv[]) {
glutInit( & argc, argv);
glutInitDisplayMode(GLUT_RGB | GLUT_SINGLE);
glutInitWindowPosition(0, 0);
glutInitWindowSize(300, 300);
glutCreateWindow("OpenGL 3D View");
init();
glutDisplayFunc(display);
glutMainLoop();
return 0;
}1
2gcc -o opengl opengl.c -lGL -lGLU -lglut # 编译
./opengl # 之后执行
- 正常的话能看到一个茶壶。
Ubuntu 安装 glfw 和 OpenGL