这个问题已经以不同的方式被多次询问。我的问题是针对OpenGL 2.0 / GLSL 1.10及更高版本以及与OpenGL ES 2.0及其支持的GLSL版本的潜在兼容性:
推荐的C / C ++ API用于将多个文件合并到一个着色器源中以传递到glShaderSource。
例如,如果我有3个文件A.frag,B.frag,C.frag,它们具有以下内容:
/* A.frag */
struct A
{
vec3 val;
};
/* B.frag */
struct B
{
vec3 val;
};
/* C.frag */
void main() {
struct A a;
a.val = vec3(1.0, 1.0, 1.0);
struct B b;
b.val = vec3(1.0, 1.0, 1.0);
float f = dot(a.val, b.val);
}
现有的工具允许我将所有三个文件的内容合并为一个来源,以便编译?考虑到每个着色器源可能要复杂得多。
答案 0 :(得分:0)
如果查看函数规范glShaderSource
:
void glShaderSource(GLuint shader,
GLsizei count,
const GLchar **string,
const GLint *length);
您会看到第三个参数是一个字符串数组(字符)。
我写了一个c ++类来实现你想要做的事情。我找到的最好的方法是单独加载文件,然后将不同的着色器源代码放入双指针,最后将其传递给函数glShaderSource。
例如:
GLchar** fragment_code; // This must be initialized
GLint* fragment_char_count;
void LoadFragment()
{
//assuming fragment_filepath a vector<string> containing different shader filepaths
for (size_t i = 0; i < fragment_filepath.size(); i++)
{
Load(fragment_filepath[i], fragment_code[i], fragment_char_count[i]);
}
}
// source_path is the shader file path in the filesystem
// output will contain the source code of the shader being loaded
// fragment_char_count will contain the number of char for the shader being loaded
static void Load(string source_path, GLchar*& output,GLint& fragment_char_count)
{
string return_code;
try
{
// Open files
ifstream vShaderFile(source_path);
stringstream vShaderStream;
// Read file's buffer contents into streams
vShaderStream << vShaderFile.rdbuf();
// close file handlers
vShaderFile.close();
// Convert stream into GLchar array
return_code = vShaderStream.str();
}
catch(exception e)
{
cout << "ERROR::SHADER::FILE_NOT_SUCCESFULLY_READ: " << source_path << endl;
}
fragment_char_count = return_code.length() ;
output = new GLchar[count + 1];
std::size_t length = return_code.copy(output,fragment_char_count,0);
output[length]= '\0';
}
// eventually when you compile you pass to glShaderSource the fragment_id, the number of shader program you are loading (fragment_filepath.size()), the double pointer of char containing the different source codes (fragment_code) and an array representing the char count for each source (fragment_char_count)
void CompileFragment()
{
glShaderSource(fragment_shader_id, fragment_filepath.size(), fragment_code, fragment_char_count);
glCompileShader(d_vertex_shader);
}
它不是很简单,不幸的是OpenGL仍然用简单的C编写。但是Here你可以找到实现全班的要点。通过这样做,您可以编译和链接多个着色器(只要它们都是相同类型的课程)。
希望它有所帮助。