-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathVector3.cpp
63 lines (60 loc) · 2.08 KB
/
Vector3.cpp
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
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
#include "Vector3.h"
float Vector3::get_norm() {
return sqrtf(powf(this->x, 2)+powf(this->y, 2)+powf(this->z, 2));
}
Vector3 Vector3::get_normalized() {
float norm = this->get_norm();
return Vector3(this->x/norm, this->y/norm, this->z/norm);
}
/************************************************************
* OPERATOR ARITHMETICS *
************************************************************/
Vector3 Vector3::operator+(const Vector3& vec) const {
return Vector3(x + vec.x, y + vec.y, z + vec.z);
}
Vector3 Vector3::operator-(const Vector3& vec) const {
return Vector3(x - vec.x, y - vec.y, z - vec.z);
}
Vector3 Vector3::operator*(const int& scalar) const {
return Vector3(x * scalar, y * scalar, z * scalar);
}
Vector3 Vector3::operator/(const int& scalar) const {
if (scalar == 0) {
throw std::invalid_argument("Division by zero");
}
return Vector3(x / scalar, y / scalar, z / scalar);
}
/************************************************************
* OPERATOR LOGICS *
************************************************************/
bool Vector3::operator==(const Vector3& vec) const {
const float epsilon = 1e-6; // tolerance threshold for the comparison
return (std::fabs(this->x - vec.x) < epsilon &&
std::fabs(this->y - vec.y) < epsilon &&
std::fabs(this->z - vec.z) < epsilon);
}
bool Vector3::operator!=(const Vector3& vec) const {
return !(*this==vec);
}
bool Vector3::operator>(const Vector3& vec) const {
if(this->x > vec.x && this->y > vec.y && this->z > vec.z) {
return true;
} else {
return false;
}
}
bool Vector3::operator<(const Vector3& vec) const {
return !(*this>vec);
}
bool Vector3::operator>=(const Vector3& vec) const {
if(this->x >= vec.x && this->y >= vec.y && this->z >= vec.z) {
return true;
} else {
return false;
}
}
bool Vector3::operator<=(const Vector3& vec) const {
return !(*this>=vec);
}
Vector3::Vector3(float x, float y, float z) : x(x), y(y), z(z) {}
Vector3::~Vector3() = default;