Pretty much, though some classes can be interfaces, in which case they'd use an I.
Note that COM relies heavily on interfaces, and the map editor C++ backend exposes its classes to the VB frontend using COM. With COM you can expect a split with the interface class I, and the implementation class C.
An interface defines a set of functions some family of classes will have; the "interface" to objects of those types. Many languages offer special support for interfaces, though in C++, it's more of a convention. By convention, an interface is a class that contains only pure virtual functions. Syntactically, they are virtual functions that have "= 0;" at the end of the function declaration. There is no corresponding function implementation. It's expected those pure functions will be implemented in derived classes.
In terms of C++ compiler checks, a class with at least one pure virtual function is called an Abstract Class. An Abstract Class can not be instantiated, only derived from. Derived classes can also be Abstract Classes as well, assuming they also contain pure virtual functions. At some point down the class hierarchy, those pure functions should be given an implementation, and only then can classes of the derived type be instantiated.
Example:
// Abstract Base Class
class Unit {
virtual void Draw(Viewport& viewport) = 0; // Pure virtual
};
// Building class derives from Unit
class Building : Unit {
virtual void Draw(Viewport& viewport) {
// Draw building, according to level of damage
// Draw dock (maybe)
}
};
class Vehicle : Unit {
virtual void Draw(Viewport& viewport) {
// Draw chasis
// Draw turret (maybe)
// Draw cargo (maybe)
}
};
// Function handles objects of any type derived from Unit
void DrawUnits(Viewport& viewport) {
// Iterate over all units, both buildings and vehicles
for (...) {
Unit& unit = ...;
unit.Draw(viewport);
}
}
Example 2:
class ArchiveReader {
virtual long GetFileLength(char* fileName) = 0;
Example 3: