I'm writing some code that is checking if a specific midi device is plugged in, and if it isn't the code rechecks every 5 seconds until it is plugged in.
My problem comes about in checking the list of devices - the external library has no function to re-check the ports, as it only does it in the constructor of the class.
The only way I could see of getting my code to recheck the list of devices is to re-initialize the class object.
The class object is declared in the header file as ofxMidiIn midiIn;
, as it is used globally in the cpp file. The issue is if I 'redeclare' within a function in the cpp it doesn't appear to replace the object in the global scope, even though it is locally fine.
To clarify with pseudocode:
In the .h:
class foo {
ofxMidiIn midiIn; //first initialization does a port scan
};
in the .cpp:
void foo::setup(){
midiIn.listPorts(); //if this fails the recheck is triggered every 5 secs
}
void foo::run(){
//if setup failed then while (!recheck());
}
bool foo::recheck(){
ofxMidiIn midiIn;
midiIn.listPorts(); //this works in this (local) scope, but doesn't reassign midiIn globally
}
Use a pointer instead of an instance member
Use a pointer to ofxMidiIn and dynamic allocation when you need to recreate. Make sure you follow the rule of three or inherit from boost::noncopyable.
By using
placement new
you can re-call the constructor:The line
new (&midiIn) ofxMidiIn()
will re-constructmidiIn
in its own memory region, by calling the constructor ofofxMidiIn
. However, this approach will create problem ifofxMidiIn
has pointer(s), and you've allocated memory for them in the previous object. You will be leaking memory. You can call the destructor explicitly though, by writing as:Demo : http://ideone.com/OaUtw
Anyway, I believe that better and clean solution would be to make the variable as pointer as:
And then use
new
anddelete
. And when you donew
for the next time, must delete the previous object by writing as:The reason you're not seeing the updated midiIn is because you're actually creating two instances - one local and one member variable. The local copy in recheck() is shadowing the member variable. On this point, I recommend you crank up your compiler's warning level so that you don't accidentally get burned by this in other places.
Personally I would wrap midiIn in a std::shared_ptr and re-initialize that. Something like this:
You should not call constructor twice. It may often result in undefined behavior and unmaintainable code.
Rather you copy the content of the constructor code into a class member function only (may be a
private
) and then call that function when needed. e.g.Without knowing anything about this particular class, the immediate solution appears to be assigning.
If
ofxMidi
is not assignable, wrapping the object somehow is appropriate. At the basic level, simply within a pointer.