#include <iostream>
class fraction {
int n, d;
public:
fraction(){}
fraction(int n, int d) : n(n), d(d) {}
int getter() { return n, d; }
friend std::istream& operator>>(std::istream& stream, const fraction& a) {
stream >> a;
return stream;
}
friend std::ostream& operator<<(std::ostream& stream, const fraction& a) {
stream << a;
return stream;
}
friend fraction operator*(const fraction& a, const fraction& b) {
int pN = a.n * b.n;
int pD = b.n * b.d;
return fraction(pN, pD);
}
};
int main()
{
fraction f1;
std::cout << "Enter fraction 1: ";
std::cin >> f1;
fraction f2;
std::cout << "Enter fraction 2: ";
std::cin >> f2;
std::cout << f1 << " * " << f2 << " is " << f1 * f2 << '\n'; // note: The result of f1 * f2 is an r-value
return 0;
}编译错误说:
operator<< and operator>> recursive on all paths, function will cause a stack overflow我不知道这是什么意思。在所有路径上递归是什么意思,哪个函数会导致堆栈溢出?
发布于 2019-12-19 08:08:56
当你运行时:
stream >> a;您正在调用的函数与您正在运行的函数相同,即friend std::istream& operator>>(std::istream& stream, const fraction& a)。
所以你将一次又一次地称自己为(递归),一次又一次...没有尽头。反过来,这意味着分配给堆栈的内存将在某个时候耗尽(因为每个帧都会占用一些空间),这将导致堆栈溢出。
相反,您必须对fraction参数a做一些操作,很可能引用a.n和a.d。
https://stackoverflow.com/questions/59401657
复制相似问题