Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Do I have to initialize simple class member variables? [duplicate]

Tags:

Quick beginner's question:

Do I have to initialize simple class member variables, or are they guaranteed to get assigned their default values in any case?

Example:

class Foo {
  int i;
  // is i==0 or do I need the following line for that?
  Foo() : i(0) {}
};

Thanks!

like image 666
Frank Avatar asked Jun 16 '10 12:06

Frank


3 Answers

Do I have to initialize simple class member variables,

No, you don't have to initialize the member variables. If you do not initialize them though, do not assume they will have any value.

If you make a test program and check in debugger how the values are initialized you may see them initialized as zeros, but that is not guaranteed. The values get initialized to whatever is in memory on the stack at that location.

or are they guaranteed to get assigned their default values in any case?

They are not guaranteed to get assigned any value. If you have member objects the default constructors will be called for them, but for POD types there is no default initialization.

Even though you don't have to do it, it is good practice to initialize all members of your class (to avoid hard to find errors and to have an explicit representation of the initializations / constructor calls).

like image 117
utnapistim Avatar answered Oct 13 '22 00:10

utnapistim


Yes, that is necessary. Your object will be allocated either on the stack or on the heap. You have no way of knowing what values that memory contains, and the runtime does not guarantee zeroing this for you, so you must initialise the variable.

like image 24
AJ. Avatar answered Oct 13 '22 00:10

AJ.


Read this. This page is also helpful for many other questions you may have down the stone road of learning C++.

In general, you don't have to, but you should. Relying on default values can really come back hard on you. Also this makes the code better to understand for others. Keep in mind that the initialization list does not affect the order in which members are initialized, that is determined by the order they are declared in the class.

like image 22
Björn Pollex Avatar answered Oct 13 '22 00:10

Björn Pollex