why the following code won't work:
#include <iostream>
class Entity
{
public:
/*
Entity()
{
std::cout << "Create Entity with default constructor" << std::endl;
}
*/
Entity(int x)
{
std::cout << "Create Entity with " << x << std::endl;
}
};
class Example
{
Entity ent;
int age;
public:
Example()
//: ent(7), age(7)
{
ent=Entity(7);
age=7;
}
};
int main() {
Example s1;
return 0;
}
it says that it need default constructor for Entity but why is that? the only Entity object I'm using is built using the constructor that uses 1 argument.
Plus, why changing Example s1;
to Example s1();
will cause my code to work in different way (I can't see any printings on the screen.
Inside the
Example
constructor, the member variableent
already needs to be constructed. It's this construction that is meant by the error.The solution is to use a constructor initializer list, which you have commented out in the example shown.
As for
That declares
s1
as a function that takes no arguments and returns anExample
object by value.