Class member without a default constructor

…衆ロ難τιáo~ 提交于 2019-12-01 18:17:27

Member objects are always initialized before entry into the body (the part between the curly braces) of the constructor. If you don't mention a member in the initializer list, it gets default constructed. So mention it!

B::B(int j) : _a(factoryA(0 < j)) { };

This calls the function factoryA with the argument value true if j is greater than 0 and false otherwise, and initializes the member _a with the value returned by that call.

It is not entirely clear to me why so if someone could explain that to me it would be great.

For classes[*], the _a = factoryA(true); line calls _a.operator=(factoryA(true)). Calling a member function on _a requires _a to already be initialised. So if it weren't a compile-time error, it still wouldn't be valid.

Also, what if the parameter to A's constructor needs to be computed inside of B's constructor, say by querying a database or something of that nature? Is there a way to use the setup below without providing A with a default constructor?

As long as A has a copy or move constructor, you can initialise it with a function return value, and that function can do anything you want, even using different constructors for A depending on the arguments provided.

class B {
private:
  A _a;
  static A getA(int i);
public:
  B(int j) : _a(getA(j)) {
  }
};

A B::getA(int j)
{
  if (j > 0)
    return factoryA(true);
  else
    return factoryA(false);
}

[*] I know, there are exceptions.

In this case it's better to use the pointer to A, i.e. A* _a, and then call A constructor wherever you want.

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!