Hi I am trying to create a ray tracer that renders a polygonized, triangle-based model.
I have a point 3D struct in point3d.h that holds x,y, and z coordinates.
#ifndef __POINT3D_H__
#define __POINT3D_H__
#include <iostream>
using namespace std;
struct Point3D
{
    double x;
    double y;
    double z;
    Point3D() : x(0.0), y(0.0), z(0.0) {}
    Point3D(const double & nx, const double & ny, const double & nz) : x(nx), y(ny), z(nz) {}
    Point3D operator+(const Point3D & rhs) const { 
     return Point3D(x + rhs.x, y + rhs.y, z + rhs.z); }
    Point3D operator-(const Point3D & rhs) const { 
     return Point3D(x - rhs.x, y - rhs.y, z - rhs.z); }
    Point3D operator*(double val) const { 
     return Point3D(x * val, y * val, z * val); }
    Point3D operator/(double val) const { 
     return Point3D(x / val, y / val, z / val); }
    Point3D operator+=(const Point3D & rhs) { 
     x += rhs.x; y += rhs.y; z += rhs.z; return *this; }
    Point3D operator-=(const Point3D & rhs) { 
     x -= rhs.x; y -= rhs.y; z -= rhs.z; return *this; }
    Point3D operator*=(double val) { 
     x *= val; y *= val; z *= val; return *this; }
    Point3D operator/=(double val) { 
     x /= val; y /= val; z /= val; return *this; }
    void print() {
     cout << '(' << x << ',' << y << ',' << z << ')'; 
    }
};
#endif
Here is where I try to use the * operator to multiple two Point3Ds together
Point3D phong(Point3D mColor, Point3D lColor, Point3D L, Point3D N, Point3D R, Point3D V) 
{
 Point3D k(1.0, 1.0, 1.0);
 Point3D ambient = mColor * k.x;
 Point3D diffuse_angle = ((N * L) / (length(N) * length(L)));
 Point3D diffuse = lColor * k.y * diffuse_angle; 
 Point3D specular_angle = ((R * V) / (length(R) * length(V)));
 double specular_x = pow(specular_angle.x, 100.0);
 double specular_y = pow(specular_angle.y, 100.0);
 double specular_z = pow(specular_angle.z, 100.0);
 Point3D specular_power(specular_x, specular_y, specular_z);
 Point3D specular = lColor * k.z * specular_power;
 return ambient + (lColor * (diffuse + specular)); 
}
When I try to multiple two Point3D's together, I am getting a no match error. Here is where the code fails. I feel like it is a simple mistake but I cannot figure it out. I am including the Point3d header file as follows: #include "point3d.h".
 
     
     
     
     
    