mal-math
C++20 mathematics library.
All Classes Namespaces Files Functions Variables Typedefs Concepts
sphere.hpp
Go to the documentation of this file.
1#pragma once
2#include "ray.hpp"
11namespace mal_math
12{
17 struct Sphere
18 {
27 static constexpr float Hit(Ray const &r, vec3 const &center, float radius) noexcept
28 {
29 const vec3 oc = r.origin() - center;
30 const float a = dot(r.direction(), r.direction());
31 const float b = dot(oc, r.direction());
32 const float c = dot(oc, oc) - radius;
33 const float discriminant = b * b - a * c;
34 if (discriminant < 0)
35 {
36 return -1.0f;
37 }
38 const float d = sqrt(discriminant);
39 float rv0 = (-b - d) / a;
40 float rv1 = (-b + d) / a;
41 if (rv0 > rv1)
42 {
43 std::swap(rv0, rv1);
44 }
45 if (rv0 < 0)
46 {
47 return rv1;
48 }
49 return rv0;
50 }
51
59 bool Intersect(Intersection &i, Ray const &ray) const
60 {
61 float t = Sphere::Hit(ray, position, radius);
62
63 if (t > i.t || t < 0)
64 {
65 return false;
66 }
67 i.t = t;
68 i.point = ray.PointAtParameter(t);
70 i.normal = i.normal * (length(ray.origin()) < 1 ? -1 : 1);
71 return true;
72 }
73
75 float radius{ 1 };
76 };
77}
Represents a geometric ray in 3D space.
Definition ray.hpp:24
vec3 PointAtParameter(float t) const
Computes a point along the ray based on the given parameter.
Definition ray.hpp:61
constexpr vec3 const & origin() const noexcept
Retrieves the ray's origin (const version).
Definition ray.hpp:38
Contains mathematical utility functions and classes.
constexpr T length(qua< T > const &q) noexcept
Computes the length (or magnitude) of a quaternion.
float sqrt(T x) noexcept
constexpr T dot(qua< T > const &left, qua< U > const &right) noexcept
Computes the dot product of two quaternions.
constexpr qua< T > normalize(qua< T > const &q) noexcept
Normalizes a quaternion.
Contains the definition of the Ray class.
Represents the data of a ray's intersection with an object.
float t
The intersection parameter.
vec3 point
The 3D point of intersection.
vec3 normal
The 3D normal at the point of intersection.
A geometric representation of a sphere in 3D space.
Definition sphere.hpp:18
bool Intersect(Intersection &i, Ray const &ray) const
Determines if a Ray intersects with the Sphere.
Definition sphere.hpp:59
vec3 position
Position of the sphere's center in 3D space.
Definition sphere.hpp:74
float radius
Radius of the sphere.
Definition sphere.hpp:75
static constexpr float Hit(Ray const &r, vec3 const &center, float radius) noexcept
Determines the intersection point of a Ray with the Sphere.
Definition sphere.hpp:27