代码之家  ›  专栏  ›  技术社区  ›  Osama Kawish

Visual C++:没有默认构造函数

  •  2
  • Osama Kawish  · 技术社区  · 7 年前

    我已经看了几个其他的问题问这个,但我的案件似乎比我所经历的要简单得多,所以我会问我的案件。

    学h:

    #ifndef LEARN_H
    #define LEARN_H
    
    class Learn
    {
    public:
        Learn(int x);
        ~Learn();
    
    private:
        const int favourite;
    };
    
    #endif
    

    #include "Learn.h"
    #include <iostream>
    using namespace std;
    
    Learn::Learn(int x=0): favourite(x)
    {
        cout << "Constructor" << endl;
    }
    
    Learn::~Learn()
    {
        cout << "Destructor" << endl;
    }
    

    来源cpp:

    #include <iostream>
    #include "Learn.h"
    using namespace std;
    
    int main() {
        cout << "What's your favourite integer? "; 
        int x; cin >> x;
        Learn(0);
    
        system("PAUSE");
    }
    

    上述代码本身不会输出任何错误。

    然而,在替换之后,我确实遇到了一些错误 Learn(0) 具有 Learn(x) . 他们是:

    • 错误E0291: no default constructor exists for class Learn
    • Error C2371 : 'x' : redefinition; different basic types
    • Error C2512 : 'Learn' : no appropriate default constructor available

    有什么原因吗?我真的想输入整数变量 x 在它内部,而不是 0 . 我知道这只是练习,我是新手,但真的,我有点困惑为什么这不管用。

    任何帮助都将不胜感激,谢谢。

    3 回复  |  直到 7 年前
        1
  •  8
  •   NathanOliver    6 年前

    分析问题:

    Learn(x);
    

    被解析为

    Learn x;
    

    Learn{x};
    

    建立临时或

    Learn some_name{x};
    //or
    Learn some_name(x);
    

    如果你想要一个真实的物体。

        2
  •  0
  •   Osama Kawish    7 年前

    好的,我解决了我遇到的问题。我没有意识到调用是作为对象分配的一部分完成的。C++中的符号似乎有点不同。

    所以 Learn(x) 应替换为 Learn obj(x) 显然地

    className(inputs) variableName .

        3
  •  0
  •   Jake    6 年前

    我有类似的代码,但出现了不同的错误,因为我是在终端上用Linux编译的。我的错误是:

    error: conflicting declaration 'myObject str' 
    error: 'str' has a previous declaration as 'const string  str'
    

    当我试着 myObject(str);

    当然 Learn{x}; (就我而言 myObject{str}; )将成功编译,但它会创建一个临时对象,然后在同一行中销毁它。

    这不是我想做的。因此,另一种解决方案是创建一个新对象,如:

    Learn var_name = new Learn(x);

    这样你可以参考它以备将来使用。