The reason it flickers for a split second is because you have two mWindow variables, one that lasts for the whole game but isn't set up and one that is set up (opens the window) but only exists for one function then cleans itself up.
The first mWindow is in the Game class declaration (the first block of code you posted). So Game contains an mWindow. That's the one that is used by most of the code.
The second mWindow is in the Game constructor definition (declarations say what is in a class, definitions say the actual code inside of the functions. So usually declaration in the .h, definition in the .cpp). The constructor has this line:
sf::RenderWindow mWindow(sf::VideoMode(640, 480), "SFML Application");
This is making a new mWindow variable. When you make a variable with the same name as one in the class like this, it's called "shadowing". The original mWindow exists, but is hidden while the second mWindow is alive. At the end of the constructor, the second mWindow (which actually made the window appear) is deleted as it leaves the scope of the constructor.
In the Game constructor, try replacing the line I quoted above with this instead:
mWindow.create(sf::VideoMode(640, 480), "SFML Application");
This will use the first mWindow and not make a second one.
mWindow.create(sf::VideoMode(640, 480), "SFML Application")
is effectively doing 2 things:
- creating the actual operating system window
- setting it to have a size of 640x480 and a title of "SFML Application"
If you just make a window and don't initialise it, like this:
sf::RenderWindow mWindow;
That makes the default sfml renderwindow object, but doesn't actually create the operating system window since not enough info is known yet. It needs the resolution to do the actual creation.
This lets you make the variable somewhere accessible, then delay making the OS window until later when the .create() function is called.
There are two alternatives:
One is to declare mWindow and give its constructor the resolution:
sf::RenderWindow mWindow(sf::VideoMode(640, 480), "SFML Application");
This is the same as calling .create() immediately after declaring the variable. Well, it's possibly more efficient, depending on how the code was written, since it's doing it all in one hit.
The downside is where ever you declare mWindow, that determines the lifetime of the window. If you make it in the Game() constructor, it only lives during that constructor.
The other way is what the book apparently had (I haven't read it). The initialiser list style lets you call the window constructor when the Game constructor is called.
Hopefully something in that made sense, usually when I'm teaching C++ it's in a classroom face to face, online is trickier. :)
I'd recommend having a go at some tutorials to refresh thing, C++ has changed a bit over the years. :)
For example:
https://www.cplusplus.com/doc/tutorial
https://www.tutorialspoint.com/cplusplus/index.htm