C++ Rules For Classes And Numbers
Learn about good programming practices for C++ regarding classes, containers, integers, and floating point numbers.
We'll cover the following...
Classes
- Differentiate between
class
andstruct
, though the only formal difference between them is whether fields arepublic
by default or not. Usestruct
when you need a bunch ofpublic
fields with no non-trivial methods. Useclass
as a bunch ofprivate
fields with methods processing them. The following is an example ofstruct
:
Press + to interact
struct Point {double x;double y;};bool operator < (const Point& first, const Point& second) {if (first.x != second.x) {return first.x < second.x;}return first.y < second.y;}
Example of class
:
Press + to interact
class Path {public:Path(double time, double average_speed): time_(time), average_speed_(average_speed){}double Time() const {return time_;}double AverageSpeed() const {return average_speed_;}double Distance() const {return time_ * average_speed_;}private:double time_;double average_speed_;};
-
When you need to compare objects of your
class
orstruct
, just implementoperator<
, but don’t implement other operators for comparing (operator<=
,operator>
,operator>=
). The reason is that the other comparing operators are implied byoperator<
. Following this convention will decrease code ...