Welcome to GAME 331 - Numerical Computing 2

Assignment 1


Let's build a math library that you can use for the rest of your career.
I have worked out the prototype of the first class I recommend we build. It involves operator overloading and a few C++ technical ideas. I suggest that you read the article, on the right, regarding operator overloading.

Vec3 definitions

#pragma once

#include <string> /// Used for passing exceptions

This is used in normalizing vectors. Dividing by zero is a well known problem but dividing by nearly zero is also a problem.

#ifndef VERY_SMALL

#define VERY_SMALL 1.0e-9

#endif

#ifndef M_PI

#define M_PI 3.14159265358979323846f

#endif

#ifndef DEGREES_TO_RADIANS

#define DEGREES_TO_RADIANS (M_PI / 180.0f)

#endif

Structures are default public

struct Vec3 {
float x,y,z;

Just a little utility to populate a vector,

inline void Load( float _x, float _y, float _z );

Here's a set of constructors

inline Vec3(){}
inline Vec3( float s = float(0.0) );
inline Vec3( float _x, float _y, float _z );

A copy constructor

inline Vec3( const Vec3& v );

Operator overloads

An assignment operator
(ask me about lvalues and rvalues, this one is tricky)

inline Vec3& operator = (const Vec3& v);

Now we can use the Vec3 like an array but we'll need two overloads
This one is for reading the Vec3 as if where an array

(I'll write this one for you)
inline const float operator [] ( int index) const {
return *(&x + index);
}

This one is for writing to the Vec3 as if where an array.

inline float& operator [] ( int index );

Add two Vec3s

inline const Vec3 operator + ( const Vec3& v ) const ;

Add another Vec3 to itself

inline Vec3& operator += ( const Vec3& v );

Take the negative of a Vec3

inline const Vec3 operator - () const;

Subtract two Vec3s

inline const Vec3 operator - ( const Vec3& v ) const;

Subtract a Vec3 from itself

inline Vec3& operator -= ( const Vec3& v );

Multiply a Vec3 by a scalar

inline const Vec3 operator * ( const float s ) const;

Multiply a Vec3 by a scalar and assign it to itself

inline Vec3& operator *= ( const float s );

Multiply a scalar by a Vec3. It's the scalar first then the Vec3

Overloaded and a friend

It's the only way to make it work with a scalar first.

inline friend Vec3 operator * ( const float s, const Vec3& v );

Divide by a scalar - Watch for divide by zero issues

inline const Vec3 operator / ( const float s ) const ;

If in debug mode let's worry about divide by zero or nearly zero

You might do something like this

#ifdef _DEBUG

if ( fabs(s) < VERY_SMALL ) {

std::string errorMsg("Divide by nearly zero! ");

throw errorMsg;

}

#endif

inline Vec3& operator /= ( const float s );

inline void print() {

printf("%f %f %f\n", x,y,z);

}

};