initial commit

This commit is contained in:
Lauchmelder 2021-11-16 22:57:55 +01:00
commit e1e149e5c7
18 changed files with 6479 additions and 0 deletions

5
.gitignore vendored Normal file
View file

@ -0,0 +1,5 @@
.vs/
[Oo]ut/
[Bb]uild/
*.json

6
.gitmodules vendored Normal file
View file

@ -0,0 +1,6 @@
[submodule "vendor/glfw"]
path = vendor/glfw
url = git@github.com:glfw/glfw.git
[submodule "vendor/glm"]
path = vendor/glm
url = git@github.com:g-truc/glm

8
CMakeLists.txt Normal file
View file

@ -0,0 +1,8 @@
cmake_minimum_required(VERSION 3.10)
project(orbitals)
set(CMAKE_CXX_STANDARD 17)
add_subdirectory(vendor/glfw)
add_subdirectory(vendor/glm)
add_subdirectory(src)

16
src/CMakeLists.txt Normal file
View file

@ -0,0 +1,16 @@
add_executable(orbitals "main.cpp" "Model.cpp" "Shader.cpp" "Camera.cpp" "Orbital.cpp")
target_sources(orbitals PRIVATE
${CMAKE_SOURCE_DIR}/vendor/glad/src/glad.c
)
target_include_directories(orbitals PRIVATE
glfw
glm
${CMAKE_SOURCE_DIR}/vendor/glad/include
)
target_link_libraries(orbitals PRIVATE
glfw
glm
)

54
src/Camera.cpp Normal file
View file

@ -0,0 +1,54 @@
#include "Camera.hpp"
#include <glm/gtc/matrix_transform.hpp>
Camera::Camera() :
viewMatrix(1.0f), position(0.0f), front({0.0f, 0.0f, -1.0f}), up({0.0f, 1.0f, 0.0f}), yawPitchRoll(0.0f)
{
}
float* Camera::GetViewMatrix()
{
viewMatrix = glm::lookAt(position, position + front, up);
return &viewMatrix[0][0];
}
void Camera::SetPosition(const glm::vec3& position)
{
this->position = position;
}
void Camera::MoveForward(float amount, float frametime)
{
position += amount * front * frametime;
}
void Camera::MoveRight(float amount, float frametime)
{
position += amount * glm::normalize(glm::cross(front, up)) * frametime;
}
void Camera::MoveUp(float amount, float frametime)
{
position += amount * up * frametime;
}
void Camera::HandleMouseMoved(double deltaX, double deltaY, float sensitivity, float frametime)
{
deltaX *= sensitivity * frametime;
deltaY *= sensitivity * frametime;
yawPitchRoll.x += deltaX;
yawPitchRoll.y += deltaY;
if (yawPitchRoll.y > 89.0f)
yawPitchRoll.y = 89.0f;
if (yawPitchRoll.y < -89.0f)
yawPitchRoll.y = -89.0f;
glm::vec3 direction;
direction.x = cos(glm::radians(yawPitchRoll.x)) * cos(glm::radians(yawPitchRoll.y));
direction.y = sin(glm::radians(yawPitchRoll.y));
direction.z = sin(glm::radians(yawPitchRoll.x)) * cos(glm::radians(yawPitchRoll.y));
front = glm::normalize(direction);
}

26
src/Camera.hpp Normal file
View file

@ -0,0 +1,26 @@
#pragma once
#include <glm/glm.hpp>
class Camera
{
public:
Camera();
float* GetViewMatrix();
void SetPosition(const glm::vec3& position);
void MoveForward(float amount, float frametime);
void MoveRight(float amount, float frametime);
void MoveUp(float amount, float frametime);
void HandleMouseMoved(double deltaX, double deltaY, float sensitivity, float frametime);
private:
glm::mat4 viewMatrix;
glm::vec3 position;
glm::vec3 front;
glm::vec3 up;
glm::vec3 yawPitchRoll;
};

54
src/Model.cpp Normal file
View file

@ -0,0 +1,54 @@
#include "Model.hpp"
#include <glad/glad.h>
Model::Model() :
vertices({}), indices({}), vao(0), ebo(0), vbo(0)
{
}
Model::Model(const std::vector<float>& vertices, const std::vector<unsigned int>& indices) :
vertices(vertices), indices(indices), vao(0), vbo(0), ebo(0)
{
CreateVAO();
}
Model::Model(std::vector<float>&& vertices, std::vector<unsigned int>&& indices) :
vertices(vertices), indices(indices), vao(0), vbo(0), ebo(0)
{
CreateVAO();
}
Model::~Model()
{
}
void Model::Draw()
{
glBindVertexArray(vao);
glDrawElements(GL_TRIANGLES, indices.size(), GL_UNSIGNED_INT, 0);
}
void Model::CreateVAO()
{
glGenVertexArrays(1, &vao);
glBindVertexArray(vao);
glGenBuffers(1, &vbo);
glBindBuffer(GL_ARRAY_BUFFER, vbo);
glBufferData(GL_ARRAY_BUFFER, vertices.size() * sizeof(float), vertices.data(), GL_STATIC_DRAW);
glGenBuffers(1, &ebo);
glBindBuffer(GL_ELEMENT_ARRAY_BUFFER, ebo);
glBufferData(GL_ELEMENT_ARRAY_BUFFER, indices.size() * sizeof(unsigned int), indices.data(), GL_STATIC_DRAW);
DefineVAOLayout();
glBindVertexArray(0);
}
void Model::DefineVAOLayout()
{
glVertexAttribPointer(0, 3, GL_FLOAT, GL_FALSE, 3 * sizeof(float), (void*)0);
glEnableVertexAttribArray(0);
}

25
src/Model.hpp Normal file
View file

@ -0,0 +1,25 @@
#pragma once
#include <vector>
class Model
{
public:
Model();
Model(const std::vector<float>& vertices, const std::vector<unsigned int>& indices);
Model(std::vector<float>&& vertices, std::vector<unsigned int>&& indices);
~Model();
void Draw();
protected:
void CreateVAO();
virtual void DefineVAOLayout();
protected:
std::vector<float> vertices;
std::vector<unsigned int> indices;
private:
unsigned int vbo, ebo, vao;
};

88
src/Orbital.cpp Normal file
View file

@ -0,0 +1,88 @@
#include "Orbital.hpp"
#include <glad/glad.h>
#define TWO_PI 6.28318530718
#define PI 3.14159265359
#include <cmath>
#include <complex>
std::complex<double> SphericalHarmonic(unsigned int l, unsigned int m, float theta, float phi);
unsigned int Fac(unsigned int n);
Orbital::Orbital(unsigned int l, unsigned int m) :
l(l), m(m)
{
unsigned int verticesPerRing = 70;
unsigned int rings = 70;
for (int ring = 0; ring <= rings; ring++)
{
for (int vertex = 0; vertex < verticesPerRing; vertex++)
{
float phi = vertex * TWO_PI / verticesPerRing;
float theta = ring * PI / rings;
std::complex value = SphericalHarmonic(l, m, theta, phi);
double distance = std::abs(std::real(value));
// std::cout << "(" << theta << ", " << phi << ") -> " << distance << std::endl;
vertices.push_back(distance * std::cos(phi) * std::sin(theta));
vertices.push_back(distance * std::sin(phi) * std::sin(theta));
vertices.push_back(distance * std::cos(theta));
if (std::real(value) < 0)
{
vertices.push_back(0.85f);
vertices.push_back(0.1f);
vertices.push_back(0.1f);
}
else
{
vertices.push_back(0.1f);
vertices.push_back(0.85f);
vertices.push_back(0.1f);
}
}
}
for (int ring = 0; ring < rings; ring++)
{
for (int vertex = 0; vertex < verticesPerRing; vertex++)
{
indices.push_back(verticesPerRing * ring + vertex);
indices.push_back(verticesPerRing * ring + ((vertex + 1) % verticesPerRing));
indices.push_back(verticesPerRing * (ring + 1) + ((vertex + 1) % verticesPerRing));
indices.push_back(verticesPerRing * ring + vertex);
indices.push_back(verticesPerRing * (ring + 1) + ((vertex + 1) % verticesPerRing));
indices.push_back(verticesPerRing * (ring + 1) + vertex);
}
}
CreateVAO();
}
void Orbital::DefineVAOLayout()
{
glVertexAttribPointer(0, 3, GL_FLOAT, GL_FALSE, 6 * sizeof(float), (void*)0);
glEnableVertexAttribArray(0);
glVertexAttribPointer(1, 3, GL_FLOAT, GL_FALSE, 6 * sizeof(float), (void*)(3 * sizeof(float)));
glEnableVertexAttribArray(1);
}
std::complex<double> SphericalHarmonic(unsigned int l, unsigned int m, float theta, float phi)
{
float N = std::sqrt((2 * l + 1) / 2.0f * Fac(l - m) / Fac(l + m));
return std::complex(1.0 / std::sqrt(TWO_PI) * N * std::assoc_legendre(l, m, std::cos(theta)), 0.0) * std::exp(std::complex(0.0, m * (double)phi));
}
unsigned int Fac(unsigned int n)
{
unsigned int prod = 1;
for (int i = 2; i <= n; i++)
prod *= i;
return prod;
}

15
src/Orbital.hpp Normal file
View file

@ -0,0 +1,15 @@
#pragma once
#include "Model.hpp"
class Orbital : public Model
{
public:
Orbital(unsigned int l, unsigned int m);
private:
void DefineVAOLayout() final override;
private:
unsigned int l, m;
};

104
src/Shader.cpp Normal file
View file

@ -0,0 +1,104 @@
#include "Shader.hpp"
#include <string>
#include <iostream>
#include <glad/glad.h>
Shader::Shader()
{
const std::string vertexShaderSource = R"(
#version 460 core
layout(location = 0) in vec3 position;
void main()
{
gl_Position = vec4(position, 1.0f);
}
)";
const std::string fragmentShaderSource = R"(
#version 460 core
out vec4 FragColor;
void main()
{
FragColor = vec4(1.0f, 0.1f, 0.1f, 1.0f);
}
)";
CreateProgram(vertexShaderSource, fragmentShaderSource);
}
Shader::Shader(const std::string& vertexShaderSourceCode, const std::string& fragmentShaderSourceCode)
{
CreateProgram(vertexShaderSourceCode, fragmentShaderSourceCode);
}
void Shader::SetMatrix(const std::string& name, const float* data)
{
unsigned int location = glGetUniformLocation(program, name.c_str());
glUniformMatrix4fv(location, 1, GL_FALSE, data);
}
void Shader::Bind()
{
glUseProgram(program);
}
void Shader::CreateProgram(const std::string& vertexShaderSourceCode, const std::string& fragmentShaderSourceCode)
{
int result;
unsigned int vertexShader = glCreateShader(GL_VERTEX_SHADER);
const char* vertexShaderSourceCstring = vertexShaderSourceCode.c_str();
glShaderSource(vertexShader, 1, &vertexShaderSourceCstring, NULL);
glCompileShader(vertexShader);
glGetShaderiv(vertexShader, GL_COMPILE_STATUS, &result);
if (result == GL_FALSE)
{
char errorMessage[512];
glGetShaderInfoLog(vertexShader, 512, NULL, errorMessage);
std::cerr << "Failed to compile vertex shader: " << std::endl << errorMessage << std::endl;
glDeleteShader(vertexShader);
exit(-1);
}
unsigned int fragmentShader = glCreateShader(GL_FRAGMENT_SHADER);
const char* fragmentShaderSourceCstring = fragmentShaderSourceCode.c_str();
glShaderSource(fragmentShader, 1, &fragmentShaderSourceCstring, NULL);
glCompileShader(fragmentShader);
glGetShaderiv(fragmentShader, GL_COMPILE_STATUS, &result);
if (result == GL_FALSE)
{
char errorMessage[512];
glGetShaderInfoLog(fragmentShader, 512, NULL, errorMessage);
std::cerr << "Failed to compile fragment shader: " << std::endl << errorMessage << std::endl;
glDeleteShader(fragmentShader);
glDeleteShader(vertexShader);
exit(-1);
}
program = glCreateProgram();
glAttachShader(program, vertexShader);
glAttachShader(program, fragmentShader);
glLinkProgram(program);
glGetProgramiv(program, GL_LINK_STATUS, &result);
if (result == GL_FALSE)
{
char errorMessage[512];
glGetProgramInfoLog(program, 512, NULL, errorMessage);
std::cerr << "Failed to link shader program: " << std::endl << errorMessage << std::endl;
glDeleteShader(fragmentShader);
glDeleteShader(vertexShader);
glDeleteProgram(program);
exit(-1);
}
glDeleteShader(fragmentShader);
glDeleteShader(vertexShader);
}

20
src/Shader.hpp Normal file
View file

@ -0,0 +1,20 @@
#pragma once
#include <string>
class Shader
{
public:
Shader();
Shader(const std::string& vertexShaderSourceCode, const std::string& fragmentShaderSourceCode);
void SetMatrix(const std::string& name, const float* data);
void Bind();
private:
void CreateProgram(const std::string& vertexShaderSourceCode, const std::string& fragmentShaderSourceCode);
private:
unsigned int program;
};

239
src/main.cpp Normal file
View file

@ -0,0 +1,239 @@
#include <iostream>
#include <chrono>
#include <glad/glad.h>
#include <GLFW/glfw3.h>
#include <glm/gtc/matrix_transform.hpp>
#include "Model.hpp"
#include "Orbital.hpp"
#include "Shader.hpp"
#include "Camera.hpp"
struct UserData
{
glm::mat4* projectionMatrix;
Camera* camera;
float frametime;
double lastX, lastY;
bool mouseMovedBefore;
bool cursorEnabled;
};
void OnFramebufferResize(GLFWwindow* window, int width, int height);
void OnMouseMoved(GLFWwindow* window, double xpos, double ypos);
void OnKeyPressed(GLFWwindow* window, int key, int scancode, int action, int mode);
void ProcessInput(GLFWwindow* window);
int main(int argc, char** argv)
{
glfwInit();
glfwWindowHint(GLFW_CONTEXT_VERSION_MAJOR, 4);
glfwWindowHint(GLFW_CONTEXT_VERSION_MINOR, 6);
glfwWindowHint(GLFW_OPENGL_PROFILE, GLFW_OPENGL_CORE_PROFILE);
GLFWwindow* window = glfwCreateWindow(1200, 800, "Orbital Demonstation", NULL, NULL);
if (window == NULL)
{
std::cerr << "Failed to create GLFW window" << std::endl;
return -1;
}
glfwMakeContextCurrent(window);
glfwSetFramebufferSizeCallback(window, OnFramebufferResize);
glfwSetCursorPosCallback(window, OnMouseMoved);
glfwSetKeyCallback(window, OnKeyPressed);
glfwSetInputMode(window, GLFW_CURSOR, GLFW_CURSOR_DISABLED);
if (!gladLoadGLLoader((GLADloadproc)glfwGetProcAddress))
{
std::cerr << "Failed to initialize GLAD" << std::endl;
return -1;
}
Model triangle(
{
-1.0f, -1.0f, 1.0f, // Front Bottom, Left
-1.0f, 1.0f, 1.0f, // Front Top Left
1.0f, 1.0f, 1.0f, // Front Top Right
1.0f, -1.0f, 1.0f, // Front Bottom Right
-1.0f, -1.0f, -1.0f, // Back Bottom, Left
-1.0f, 1.0f, -1.0f, // Back Top Left
1.0f, 1.0f, -1.0f, // Back Top Right
1.0f, -1.0f, -1.0f, // Back Bottom Right
},
{
0, 1, 2,
0, 2, 3,
3, 2, 6,
3, 6, 7,
4, 5, 1,
4, 1, 0,
1, 5, 6,
1, 6, 2,
4, 0, 3,
4, 3, 7,
7, 6, 5,
7, 5, 4
}
);
Orbital orbital(4, 2);
glm::mat4 modelMatrix = glm::mat4(1.0f);
modelMatrix = glm::rotate(modelMatrix, glm::radians(90.0f), glm::vec3(1.0f, 0.0f, 0.0f));
modelMatrix = glm::scale(modelMatrix, glm::vec3(3.0f));
Camera camera;
camera.SetPosition(glm::vec3(0.0f, 0.0f, 3.0f));
glm::mat4 projectionMatrix = glm::perspective(glm::radians(110.0f), 1200.0f / 800.0f, 0.1f, 100.0f);
Shader shader(
R"(
#version 460 core
layout(location = 0) in vec3 position;
layout(location = 1) in vec3 color;
out vec3 outColor;
uniform mat4 model;
uniform mat4 view;
uniform mat4 projection;
void main()
{
outColor = color;
gl_Position = projection * view * model * vec4(position, 1.0f);
}
)",
R"(
#version 460 core
in vec3 outColor;
out vec4 FragColor;
void main()
{
FragColor = vec4(outColor, 1.0f);
}
)"
);
UserData data = {
&projectionMatrix,
&camera,
0.0,
0.0, 0.0,
false,
false
};
glfwSetWindowUserPointer(window, &data);
std::chrono::system_clock::time_point start = std::chrono::system_clock::now();
glViewport(0, 0, 1200, 800);
glEnable(GL_DEPTH_TEST);
glBlendFunc(GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA);
glEnable(GL_BLEND);
while (!glfwWindowShouldClose(window))
{
std::chrono::duration<float> framedelta = std::chrono::duration_cast<std::chrono::duration<float>>(std::chrono::system_clock::now() - start);
data.frametime = framedelta.count();
start = std::chrono::system_clock::now();
glfwPollEvents();
ProcessInput(window);
// modelMatrix = glm::rotate(modelMatrix, glm::radians(1.0f), glm::vec3(1.0f, 0.8f, -0.2f));
glClearColor(0.0f, 0.0f, 0.1f, 0.0f);
glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
shader.Bind();
shader.SetMatrix("model", &modelMatrix[0][0]);
shader.SetMatrix("view", camera.GetViewMatrix());
shader.SetMatrix("projection", &projectionMatrix[0][0]);
// triangle.Draw();
orbital.Draw();
glfwSwapBuffers(window);
}
glfwDestroyWindow(window);
return 0;
}
void OnFramebufferResize(GLFWwindow* window, int width, int height)
{
glViewport(0, 0, width, height);
UserData* data = (UserData*)glfwGetWindowUserPointer(window);
*(data->projectionMatrix) = glm::perspective(glm::radians(110.0f), (float)width / (float)height, 0.1f, 100.0f);
}
void OnMouseMoved(GLFWwindow* window, double xpos, double ypos)
{
UserData* data = (UserData*)glfwGetWindowUserPointer(window);
float sensitivity = 5.0f;
if (!data->mouseMovedBefore)
{
data->lastX = xpos;
data->lastY = ypos;
data->mouseMovedBefore = true;
}
double deltaX = xpos - data->lastX;
double deltaY = data->lastY - ypos;
data->lastX = xpos;
data->lastY = ypos;
if (!data->cursorEnabled)
{
data->camera->HandleMouseMoved(deltaX, deltaY, sensitivity, data->frametime);
}
}
void OnKeyPressed(GLFWwindow* window, int key, int scancode, int action, int mode)
{
UserData* data = (UserData*)glfwGetWindowUserPointer(window);
if (key == GLFW_KEY_ESCAPE && action == GLFW_PRESS)
{
data->cursorEnabled = !data->cursorEnabled;
glfwSetInputMode(window, GLFW_CURSOR, (data->cursorEnabled ? GLFW_CURSOR_NORMAL : GLFW_CURSOR_DISABLED));
}
}
void ProcessInput(GLFWwindow* window)
{
UserData* data = (UserData*)glfwGetWindowUserPointer(window);
float cameraSpeed = 3.0f;
if (glfwGetKey(window, GLFW_KEY_W) == GLFW_PRESS)
data->camera->MoveForward(cameraSpeed, data->frametime);
if (glfwGetKey(window, GLFW_KEY_S) == GLFW_PRESS)
data->camera->MoveForward(-cameraSpeed, data->frametime);
if (glfwGetKey(window, GLFW_KEY_D) == GLFW_PRESS)
data->camera->MoveRight(cameraSpeed, data->frametime);
if (glfwGetKey(window, GLFW_KEY_A) == GLFW_PRESS)
data->camera->MoveRight(-cameraSpeed, data->frametime);
if (glfwGetKey(window, GLFW_KEY_SPACE) == GLFW_PRESS)
data->camera->MoveUp(cameraSpeed, data->frametime);
if (glfwGetKey(window, GLFW_KEY_LEFT_SHIFT) == GLFW_PRESS)
data->camera->MoveUp(-cameraSpeed, data->frametime);
}

290
vendor/glad/include/KHR/khrplatform.h vendored Normal file
View file

@ -0,0 +1,290 @@
#ifndef __khrplatform_h_
#define __khrplatform_h_
/*
** Copyright (c) 2008-2018 The Khronos Group Inc.
**
** Permission is hereby granted, free of charge, to any person obtaining a
** copy of this software and/or associated documentation files (the
** "Materials"), to deal in the Materials without restriction, including
** without limitation the rights to use, copy, modify, merge, publish,
** distribute, sublicense, and/or sell copies of the Materials, and to
** permit persons to whom the Materials are furnished to do so, subject to
** the following conditions:
**
** The above copyright notice and this permission notice shall be included
** in all copies or substantial portions of the Materials.
**
** THE MATERIALS ARE PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
** EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
** MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
** IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY
** CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,
** TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
** MATERIALS OR THE USE OR OTHER DEALINGS IN THE MATERIALS.
*/
/* Khronos platform-specific types and definitions.
*
* The master copy of khrplatform.h is maintained in the Khronos EGL
* Registry repository at https://github.com/KhronosGroup/EGL-Registry
* The last semantic modification to khrplatform.h was at commit ID:
* 67a3e0864c2d75ea5287b9f3d2eb74a745936692
*
* Adopters may modify this file to suit their platform. Adopters are
* encouraged to submit platform specific modifications to the Khronos
* group so that they can be included in future versions of this file.
* Please submit changes by filing pull requests or issues on
* the EGL Registry repository linked above.
*
*
* See the Implementer's Guidelines for information about where this file
* should be located on your system and for more details of its use:
* http://www.khronos.org/registry/implementers_guide.pdf
*
* This file should be included as
* #include <KHR/khrplatform.h>
* by Khronos client API header files that use its types and defines.
*
* The types in khrplatform.h should only be used to define API-specific types.
*
* Types defined in khrplatform.h:
* khronos_int8_t signed 8 bit
* khronos_uint8_t unsigned 8 bit
* khronos_int16_t signed 16 bit
* khronos_uint16_t unsigned 16 bit
* khronos_int32_t signed 32 bit
* khronos_uint32_t unsigned 32 bit
* khronos_int64_t signed 64 bit
* khronos_uint64_t unsigned 64 bit
* khronos_intptr_t signed same number of bits as a pointer
* khronos_uintptr_t unsigned same number of bits as a pointer
* khronos_ssize_t signed size
* khronos_usize_t unsigned size
* khronos_float_t signed 32 bit floating point
* khronos_time_ns_t unsigned 64 bit time in nanoseconds
* khronos_utime_nanoseconds_t unsigned time interval or absolute time in
* nanoseconds
* khronos_stime_nanoseconds_t signed time interval in nanoseconds
* khronos_boolean_enum_t enumerated boolean type. This should
* only be used as a base type when a client API's boolean type is
* an enum. Client APIs which use an integer or other type for
* booleans cannot use this as the base type for their boolean.
*
* Tokens defined in khrplatform.h:
*
* KHRONOS_FALSE, KHRONOS_TRUE Enumerated boolean false/true values.
*
* KHRONOS_SUPPORT_INT64 is 1 if 64 bit integers are supported; otherwise 0.
* KHRONOS_SUPPORT_FLOAT is 1 if floats are supported; otherwise 0.
*
* Calling convention macros defined in this file:
* KHRONOS_APICALL
* KHRONOS_APIENTRY
* KHRONOS_APIATTRIBUTES
*
* These may be used in function prototypes as:
*
* KHRONOS_APICALL void KHRONOS_APIENTRY funcname(
* int arg1,
* int arg2) KHRONOS_APIATTRIBUTES;
*/
#if defined(__SCITECH_SNAP__) && !defined(KHRONOS_STATIC)
# define KHRONOS_STATIC 1
#endif
/*-------------------------------------------------------------------------
* Definition of KHRONOS_APICALL
*-------------------------------------------------------------------------
* This precedes the return type of the function in the function prototype.
*/
#if defined(KHRONOS_STATIC)
/* If the preprocessor constant KHRONOS_STATIC is defined, make the
* header compatible with static linking. */
# define KHRONOS_APICALL
#elif defined(_WIN32)
# define KHRONOS_APICALL __declspec(dllimport)
#elif defined (__SYMBIAN32__)
# define KHRONOS_APICALL IMPORT_C
#elif defined(__ANDROID__)
# define KHRONOS_APICALL __attribute__((visibility("default")))
#else
# define KHRONOS_APICALL
#endif
/*-------------------------------------------------------------------------
* Definition of KHRONOS_APIENTRY
*-------------------------------------------------------------------------
* This follows the return type of the function and precedes the function
* name in the function prototype.
*/
#if defined(_WIN32) && !defined(_WIN32_WCE) && !defined(__SCITECH_SNAP__)
/* Win32 but not WinCE */
# define KHRONOS_APIENTRY __stdcall
#else
# define KHRONOS_APIENTRY
#endif
/*-------------------------------------------------------------------------
* Definition of KHRONOS_APIATTRIBUTES
*-------------------------------------------------------------------------
* This follows the closing parenthesis of the function prototype arguments.
*/
#if defined (__ARMCC_2__)
#define KHRONOS_APIATTRIBUTES __softfp
#else
#define KHRONOS_APIATTRIBUTES
#endif
/*-------------------------------------------------------------------------
* basic type definitions
*-----------------------------------------------------------------------*/
#if (defined(__STDC_VERSION__) && __STDC_VERSION__ >= 199901L) || defined(__GNUC__) || defined(__SCO__) || defined(__USLC__)
/*
* Using <stdint.h>
*/
#include <stdint.h>
typedef int32_t khronos_int32_t;
typedef uint32_t khronos_uint32_t;
typedef int64_t khronos_int64_t;
typedef uint64_t khronos_uint64_t;
#define KHRONOS_SUPPORT_INT64 1
#define KHRONOS_SUPPORT_FLOAT 1
#elif defined(__VMS ) || defined(__sgi)
/*
* Using <inttypes.h>
*/
#include <inttypes.h>
typedef int32_t khronos_int32_t;
typedef uint32_t khronos_uint32_t;
typedef int64_t khronos_int64_t;
typedef uint64_t khronos_uint64_t;
#define KHRONOS_SUPPORT_INT64 1
#define KHRONOS_SUPPORT_FLOAT 1
#elif defined(_WIN32) && !defined(__SCITECH_SNAP__)
/*
* Win32
*/
typedef __int32 khronos_int32_t;
typedef unsigned __int32 khronos_uint32_t;
typedef __int64 khronos_int64_t;
typedef unsigned __int64 khronos_uint64_t;
#define KHRONOS_SUPPORT_INT64 1
#define KHRONOS_SUPPORT_FLOAT 1
#elif defined(__sun__) || defined(__digital__)
/*
* Sun or Digital
*/
typedef int khronos_int32_t;
typedef unsigned int khronos_uint32_t;
#if defined(__arch64__) || defined(_LP64)
typedef long int khronos_int64_t;
typedef unsigned long int khronos_uint64_t;
#else
typedef long long int khronos_int64_t;
typedef unsigned long long int khronos_uint64_t;
#endif /* __arch64__ */
#define KHRONOS_SUPPORT_INT64 1
#define KHRONOS_SUPPORT_FLOAT 1
#elif 0
/*
* Hypothetical platform with no float or int64 support
*/
typedef int khronos_int32_t;
typedef unsigned int khronos_uint32_t;
#define KHRONOS_SUPPORT_INT64 0
#define KHRONOS_SUPPORT_FLOAT 0
#else
/*
* Generic fallback
*/
#include <stdint.h>
typedef int32_t khronos_int32_t;
typedef uint32_t khronos_uint32_t;
typedef int64_t khronos_int64_t;
typedef uint64_t khronos_uint64_t;
#define KHRONOS_SUPPORT_INT64 1
#define KHRONOS_SUPPORT_FLOAT 1
#endif
/*
* Types that are (so far) the same on all platforms
*/
typedef signed char khronos_int8_t;
typedef unsigned char khronos_uint8_t;
typedef signed short int khronos_int16_t;
typedef unsigned short int khronos_uint16_t;
/*
* Types that differ between LLP64 and LP64 architectures - in LLP64,
* pointers are 64 bits, but 'long' is still 32 bits. Win64 appears
* to be the only LLP64 architecture in current use.
*/
#ifdef _WIN64
typedef signed long long int khronos_intptr_t;
typedef unsigned long long int khronos_uintptr_t;
typedef signed long long int khronos_ssize_t;
typedef unsigned long long int khronos_usize_t;
#else
typedef signed long int khronos_intptr_t;
typedef unsigned long int khronos_uintptr_t;
typedef signed long int khronos_ssize_t;
typedef unsigned long int khronos_usize_t;
#endif
#if KHRONOS_SUPPORT_FLOAT
/*
* Float type
*/
typedef float khronos_float_t;
#endif
#if KHRONOS_SUPPORT_INT64
/* Time types
*
* These types can be used to represent a time interval in nanoseconds or
* an absolute Unadjusted System Time. Unadjusted System Time is the number
* of nanoseconds since some arbitrary system event (e.g. since the last
* time the system booted). The Unadjusted System Time is an unsigned
* 64 bit value that wraps back to 0 every 584 years. Time intervals
* may be either signed or unsigned.
*/
typedef khronos_uint64_t khronos_utime_nanoseconds_t;
typedef khronos_int64_t khronos_stime_nanoseconds_t;
#endif
/*
* Dummy value used to pad enum types to 32 bits.
*/
#ifndef KHRONOS_MAX_ENUM
#define KHRONOS_MAX_ENUM 0x7FFFFFFF
#endif
/*
* Enumerated boolean type
*
* Values other than zero should be considered to be true. Therefore
* comparisons should not be made against KHRONOS_TRUE.
*/
typedef enum {
KHRONOS_FALSE = 0,
KHRONOS_TRUE = 1,
KHRONOS_BOOLEAN_ENUM_FORCE_SIZE = KHRONOS_MAX_ENUM
} khronos_boolean_enum_t;
#endif /* __khrplatform_h_ */

3694
vendor/glad/include/glad/glad.h vendored Normal file

File diff suppressed because it is too large Load diff

1833
vendor/glad/src/glad.c vendored Normal file

File diff suppressed because it is too large Load diff

1
vendor/glfw vendored Submodule

@ -0,0 +1 @@
Subproject commit fb0f2f92a38c1d6a776ffeb253329f8d1c65694c

1
vendor/glm vendored Submodule

@ -0,0 +1 @@
Subproject commit 6ad79aae3eb5bf809c30bf1168171e9e55857e45