这是我的代码。编译时出现错误



在第16行和第48行,我不确定自己做错了什么。请指教。

#include <iostream>
#include <memory>
#include <vector>
using namespace std;
class FactGeometry {   //Factory class
public:
    static std::shared_ptr<FactGeometry>geometry( int choice );
    virtual void calcArea() = 0;
};

class CalcRectangle :public FactGeometry {
    void calcArea() {
        double ll, bb, Area;
        std::cout << "\nEnter the length = ";
        std::cin >> ll;
        std::cout << "\nEnter the breadth = ";
        std::cin >> bb;
        Area = ll * bb;
        std::cout << "\nArea = " << Area;
    }
}; //end class

class CalcTraingle :public FactGeometry {
    void calcArea() {
        double bb, hh, Area;
        std::cout << "\nEnter the base = ";
        std::cin >> bb;
        std::cout << "\nEnter the height = ";
        std::cin >> hh;
        Area = 0.5 * bb * hh;
        std::cout << "\nArea = " << Area;
    }
};

FactGeometry std::shared_ptr<FactGeometry>geometry( int choice ) {
    switch ( choice ) {
    case 1: return shared_ptr<FactGeometry>( new CalcRectangle );
        break;
    case 2: return shared_ptr<FactGeometry>( new CalcTraingle );
        break;
    default: std::cout << "EXIT";
        break;
    }
} //end class

int main() {
    cout << "Hello World";
    int choice;
    std::vector<std::shared_ptr<FactGeometry>> table;
    while ( 1 ) {
        std::cout << "1. Rectangle 2. Triangle";
        std::cout << "Enter Choice :";
        std::cin >> choice;
        if ( ( choice != 1 ) || ( choice != 2 ) )
            break;
        else
            table.push_back( FactGeometry::make_shared<FactGeometry>geometry( choice ) );
    }
    for ( int i = 0; i < table.size(); i++ ) {
        table[i];
    }
    return 0;
}

我正在为Factory Method类编写代码,但在“几何图形”之前却收到此错误,因为它是无效的声明符。我不确定自己做错了什么

最佳答案

您的代码有几处错误。

编译器抱怨的是geometry的静态FactGeometry方法的定义。定义的结构为:

<Return Type> <Class>::<Method Name>(<Parameters>) { ... }
geometry返回shared_ptr<FactGeometry>,属于FactGeometry类。所以应该定义为
std::shared_ptr<FactGeometry> FactGeometry::geometry(int choice){
    // code
}

如果解决此问题,编译器将抱怨此行
table.push_back(FactGeometry::make_shared<FactGeometry>geometry(choice));

在这里,我认为您不了解make_shared应该完成什么。它是一个帮助程序函数,您可以调用该函数来创建所需类型的新shared_ptr并接受与该类型的构造函数相同的参数。
由于您的FactGeometry是抽象类,因此make_shared<FactGeometry>无法使用。

我想你想打电话给FactGeometry::geometry(choice)

geometry内部,您可以致电例如
return make_shared<CalcRectangle>();

代替
return shared_ptr<FactGeometry>(new CalcRectangle());

关于c++11 - C++编译器错误: “invalid declarator before” ,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/59285497/

10-11 23:15