重载*运算符没有给出匹配错误

时间:2014-12-15 09:42:46

标签: c++ operator-overloading operators

您好我正在尝试创建一个渲染基于三角形的多边形模型的光线跟踪器。

我在point3d.h中有一个点3D结构,它包含x,y和z坐标。

#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

这里是我尝试将*运算符与多个两个Point3D一起使用的地方

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)); 
}

当我尝试将两个Point3D放在一起时,我得到一个无匹配错误。 这是代码失败的地方。我觉得这是一个简单的错误,但我无法弄清楚。我包括Point3d头文件如下:#include“point3d.h”。

4 个答案:

答案 0 :(得分:2)

Point3D operator*(double val) const

您只有这个版本Point3D * double而没有别的,但您正在尝试将此运算符用于Point3D * Point3DPoint3D不能隐式地构造double,因此这就是编译错误的原因。

答案 1 :(得分:1)

Point3D operator*(double val) const { 

这是乘法Point3D * double。并通过

N * L

您正在尝试Point3D * Point3D

您可以通过为您的类提供适当的operator*来解决此问题,或者通过单个参数构造函数提供从double到您的类的转换。虽然我更喜欢前者。

答案 2 :(得分:1)

您应该需要这样的功能

Point3D operator *(Point3D &temp) const {

}

由于您无法将两个3d点相乘,因此会出现错误。请尝试添加此功能。

答案 3 :(得分:0)

您需要一个Point3D * Point3D操作函数,该函数无法适应Point3D::operator*(double val)的调用。如:

Point3D operator*(const Point3D & rhs) const {
    return Point3D(x * rhs.x, y * rhs.y, z * rhs.z); }