Modern OpenGL---05 使用uniform改变shader的颜色

可以通过 glGetUniformLocation()获得指定着色器所在的location,然后使用glUniform4f() 为着色器中的颜色进行赋值或修改。

在while循环中利用glUnifor4f()修改颜色可实现动画。

那如果要对不同的三角形绘制不同的颜色该怎么画呢?下次应该就能知道了吧

#include <GL/glew.h>
#include <GLFW/glfw3.h>
#include <iostream>
#include <fstream>
#include <string>
#include <sstream>
#include <vector>

#define ASSERT(x) if(!(x)) __debugbreak();
#define GLCall(x) GLClearError();\
	x;\
	ASSERT(GLLogCall(#x, __FILE__, __LINE__))  //对每个gl函数x,GLCall(x),可以在出错的地方break并且打印出错具体位置。注意:在 \ 后不能出现空格字符

static void GLClearError()
{
	while (glGetError() != GL_NO_ERROR); //用于清空之前的error
}

static bool GLLogCall(const char* function, const char* file, int line)
{
	while (GLenum error = glGetError()) //改成 if 也可以吧,有什么区别吗
	{
		std::cout << "[OpenGL Error] (" << error << "): " << function << 
			" " << file << ":" << line << std::endl;
		return false;
	}
	return true;
}


struct ShaderProgramSource
{
	std::string VertexSource;
	std::string FragmentSouce;
};

static ShaderProgramSource ParseShader(const std::string &filepath)
{
	std::ifstream stream(filepath);

	enum class ShaderType
	{
		NONE = -1, VERTEX = 0, FRAGMENT = 1
	};


	std::string line;
	std::stringstream ss[2];
	ShaderType type = ShaderType::NONE;
	while (getline(stream, line))
	{
		if (line.find("#shader") != std::string::npos)
		{
			if (line.find("vertex") != std::string::npos)
			{
				type = ShaderType::VERTEX;
			}
			else if (line.find("fragment") != std::string::npos)
			{
				type = ShaderType::FRAGMENT;
			}
		}
		else
		{
			ss[(int)type] << line << "\n";
		}
	}

	return { ss[0].str(), ss[1].str() };
}

static unsigned int CompiledShader(unsigned int type, const std::string &source)
{
	unsigned int id = glCreateShader(type);								//创建一个着色器
	const char* src = source.c_str();
	glShaderSource(id, 1, &src, nullptr);
	glCompileShader(id);												//编译着色器里的程序代码

	/*这是一些错误处理*/
	int result;
	glGetShaderiv(id, GL_COMPILE_STATUS, &result);
	if (result == GL_FALSE)
	{
		int length;
		glGetShaderiv(id, GL_INFO_LOG_LENGTH, &length);
		char *message = (char*)alloca(length * sizeof(char));
		glGetShaderInfoLog(id, length, &length, message);
		std::cout << "Failed to compile " << (type == GL_VERTEX_SHADER ? "vertex" : "fragment") << " shader" << std::endl;
		std::cout << message << std::endl;
		glDeleteShader(id);
		return 0;
	}

	return id;
}

static unsigned int CreateShader(const std::string &vertexShader, const std::string& fragmentShader)
{
	unsigned int program = glCreateProgram();
	unsigned int vs = CompiledShader(GL_VERTEX_SHADER, vertexShader);
	unsigned int fs = CompiledShader(GL_FRAGMENT_SHADER, fragmentShader);

	//把两个编译好的着色器连接到同一个程序里面
	glAttachShader(program, vs);
	glAttachShader(program, fs);
	//链接程序(把程序放到显卡上?)
	glLinkProgram(program);
	//验证程序(非必要?)
	//glValidateProgram(program);

	glDeleteShader(vs);
	glDeleteShader(fs);

	return program;
}

//这里只是增加了一个解析ply点云文件的函数
static void ParsePLY(const std::string filename, std::vector<float> &positions, std::vector<unsigned int> &indices)
{
	std::ifstream fin(filename);
	std::string str = "";
	int pointNum;
	while (str != "vertex")
	{
		fin >> str;
	}
	fin >> pointNum;

	while (str != "end_header")
	{
		fin >> str;
	}

	int cnt = 0;
	while (cnt < pointNum)
	{
		for (int i = 0; i < 3; i++)
		{
			float pos;
			fin >> pos;
			positions.emplace_back(pos);
		}
		
		cnt++;
	}

	while (!fin.eof())
	{
		unsigned int idx;
		fin >> idx;
		for (int i = 0; i < 3; i++)
		{
			fin >> idx;
			indices.emplace_back(idx);
		}
	}
}

int main(void)
{
	glewInit();

	/* Initialize the library */
	if (!glfwInit())
		return -1;

	GLFWwindow* window;

	/* 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);

	if (glewInit() != GLEW_OK)
		std::cout << "ERROR!" << std::endl;

	std::cout << glGetString(GL_VERSION) << std::endl;

	float positions[] = {
		-0.5f, -0.5f, // 0
		 0.5f, -0.5f, // 1
		 0.5f,  0.5f, // 2
		-0.5f,  0.5f, // 3
	};

	unsigned int indices[] = {
		0, 1, 2,
		2, 3, 0
	};

	unsigned int buffer; 
	glGenBuffers(1, &buffer);																//创建一个缓存
	glBindBuffer(GL_ARRAY_BUFFER, buffer);													//绑定缓存
	glBufferData(GL_ARRAY_BUFFER, 8 * sizeof(float), positions, GL_STATIC_DRAW);			//为缓存填充数据

	/*接下来启用顶点着色器*/
	glEnableVertexAttribArray(0);															//设置顶点着色器属性为坐标位置
	//参数分别为坐标属性的索引,每个顶点有2个元素,元素的类型,不需要normalized,步长(每个顶点元素的内存大小),指针的偏移量
	glVertexAttribPointer(0, 2, GL_FLOAT, GL_FALSE, sizeof(float) * 2, 0); 

	unsigned int ibo;
	glGenBuffers(1, &ibo);																//创建一个缓存
	glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, ibo);													//绑定缓存
	glBufferData(GL_ELEMENT_ARRAY_BUFFER, 6 * sizeof(unsigned int), indices, GL_STATIC_DRAW);			//为缓存填充数据


	ShaderProgramSource source = ParseShader("basic.shader");

	unsigned int shader = CreateShader(source.VertexSource, source.FragmentSouce);
	glUseProgram(shader);

	int location = glGetUniformLocation(shader, "u_Color");
	ASSERT(location != -1);

	float r = 0.0f;
	float increment = 0.05f;
	/* Loop until the user closes the window */
	while (!glfwWindowShouldClose(window))
	{
		/* Render here */
		glClear(GL_COLOR_BUFFER_BIT);

		GLCall(glUniform4f(location, r, 0.3, 0.8, 1.0));

		GLCall(glDrawElements(GL_TRIANGLES, 6, GL_UNSIGNED_INT, nullptr));

		if (r < 0)
			increment = 0.05f;
		else if (r > 1)
			increment = -0.05f;
		r += increment;

		/* Swap front and back buffers */
		glfwSwapBuffers(window);

		/* Poll for and process events */
		glfwPollEvents();
	}

	glDeleteProgram(shader);
	glfwTerminate();
	return 0;
}

.shader

#shader vertex
#version 330 core

layout(location = 0) in vec4 position;

void main()
{
	gl_Position = position;
};


#shader fragment
#version 330 core

layout(location = 0) out vec4 color;

uniform vec4 u_Color;

void main()
{
	color = u_Color;
};

结果
在这里插入图片描述

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值