IDEA
Add "length" method to sf::Vector2 and sf::Vector3, length is property of vector, so should be declared as method and can simplify many operations.
Possible implementation
It is the implementation that I use in my projects. Only sf::Vector2, I didn't need sf::Vector3.
template<typename R = T>
R length()
{
auto R_x = static_cast<R>(x);
auto R_y = static_cast<R>(y);
return std::sqrt(R_x * R_x + R_y * R_y);
}
/* //edit: I know that this code is working only on C++11 and above,
but it can be simply changed to compile under C++98 by replacing "auto" with "R" */
Example code
#include <SFML/System/Vector2.hpp>
#include <iostream>
struct myStruct
{
float data;
template<typename T>
myStruct(T val)
{
data = val;
}
myStruct operator *(myStruct m)
{
std::cout << "I (" << this->data << ") am being multipled by " << m.data << "!" << std::endl;
return {this->data * m.data};
}
myStruct operator +(myStruct m)
{
std::cout << "I (" << this->data << ") am being added to " << m.data << "!" << std::endl;
return {this->data + m.data};
}
operator float() const
{
std::cout << "I am being casted to float!" << std::endl;
return data;
}
};
int main()
{
sf::Vector2f vec1 = {2.f, 3.f};
sf::Vector2u vec2 = {2u, 3u};
std::cout << "-Vector2f::length()\n";
std::cout << vec1.length() << std::endl;
std::cout << "\n-Vector2f::length<int>()\n";
std::cout << vec1.length<int>() << std::endl;
std::cout << "\n-Vector2u::length()\n";
std::cout << vec2.length() << std::endl;
std::cout << "\n-Vector2u::length<myStruct>()\n";
std::cout << vec2.length<myStruct>().data << std::endl;
return 0;
}
Output:
-Vector2f::length()
3.60555
-Vector2f::length<int>()
3
-Vector2u::length()
3
-Vector2u::length<myStruct>()
I (3) am being multipled by 3!
I (2) am being multipled by 2!
I (4) am being added to 9!
I am being casted to float!
3.60555
Use cases
- Line implementation. If line is mathematicaly definied as point and vector instead of pair of points many operations are easier, like scaling etc.
- Square Bezier Curves using backend of lines above. I don't know if it is faster, but I'm sure that my code is shorter and more readable.
What do you think?