这是用于学校作业。我应该遵守使用重载运算符的要求,并且必须在名为“increase”的功能模板中调用它。
这是一个称为电感器的类。

#pragma once
#include <iostream>
using namespace std;

class Inductor {
    friend ostream& operator<<(ostream&, Inductor);

private:
    int inductance;
    double maxCurrent;

public:
    int operator+(int add);
    int operator-(int sub);
    Inductor(int, double);
};

Inductor::Inductor(int x, double y)
{

    inductance = x;
    maxCurrent = y;
}


int Inductor::operator+(int add)
{
    int newSum = inductance + add;
    return newSum;
}

int Inductor::operator-(int sub)
{
    int newDiff = inductance - sub;
    return newDiff;
}

ostream& operator<<(ostream& out, Inductor inductor)
{
    out << "Inductor parameters: " << inductor.inductance << ", " << inductor.maxCurrent << endl;
    return out;
}

虽然这是我的功能模板“增加”。
template<class FIRST>
FIRST increase(FIRST a, int b) {
    FIRST c;
    c = a + b;
    return c;
}

最后但并非最不重要的是,我的主文件:
int main()
{
    Inductor ind(450, 0.5);
    ind = increase(ind, 70);
}

这些是我不理解的以下编译错误:
error C2512: 'Inductor': no appropriate default constructor available
error C2679: binary '=': no operator found which takes a right-hand operand of type 'int' (or there is no acceptable conversion)

note: could be 'Inductor &Inductor::operator =(Inductor &&)'
note: or       'Inductor &Inductor::operator =(const Inductor &)'
note: see reference to function template instantiation 'FIRST increase<Inductor>(FIRST,int)' being compiled
    with
    [
        FIRST=Inductor
    ]
note: see declaration of 'Inductor'

任何人都可以解释一下为什么编译器会引发这些错误吗?是的,我已经在StackOverflow上进行了搜索和搜索,但是没有看到在函数模板中使用某个类的重载operator +的文章。

最佳答案

template<class FIRST>
FIRST increase(FIRST a, int b) {
    FIRST c;
    c = a + b;
    return c;
}
FIRST == Inductor有几个问题:
  • FIRST c;:您尝试创建Inductor,但没有默认构造函数。
  • c = a + b;:您尝试为Inductor分配int(operator +的返回类型),但是没有这样的运算符。并且由于没有构造函数仅使用int来构建Inductor,因此复制分配不是替代方案。

  • 第一个错误很容易解决,只需删除变量(return a + b;)或直接对其进行初始化(FIRST c = a + b; return c;)。

    对于第二个错误,添加一个仅包含int的(非显式)构造函数,或更改您的operator+以直接返回Inductor:
    Inductor Inductor::operator+(int add)
    {
        return Inductor(inductance + add, maxCurrent);
    }
    

    09-26 12:54