Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Constructor for '' must explicitly initialize the reference member ''

I have this class

class CamFeed { public:     // constructor     CamFeed(ofVideoGrabber &cam);      ofVideoGrabber &cam;  }; 

And this constructor:

CamFeed::CamFeed(ofVideoGrabber &cam) {     this->cam = cam; } 

I get this error on the constructor: Constructor for '' must explicitly initialize the reference member ''

What is a good way to get around this?

like image 229
clankill3r Avatar asked Oct 24 '13 20:10

clankill3r


1 Answers

You need to use the constructor initializer list:

CamFeed::CamFeed(ofVideoGrabber& cam) : cam(cam) {} 

This is because references must refer to something and therefore cannot be default constructed. Once you are in the constructor body, all your data members have been initialized. Your this->cam = cam; line would really be an assignment, assigning the value referred to by cam to whatever this->cam refers to.

like image 187
juanchopanza Avatar answered Nov 05 '22 02:11

juanchopanza