Which one is better:
public:
const vector<int> & GetPointsVector();
private:
vector<int> PointsVector;
Or:
public:
int GetCurrentPoint();
void MoveToFirstPoint();
void MoveToNextPoint();
bool IsAtLastPoint();
size_t GetNumberOfPoints();
private:
vector<int> PointsVector;
Both are not. Better return the begin() and end() iterators, or still better a boost::range for the iterator.
private:
typedef std::vector<int> PointsContainer;
public:
typedef boost::iterator_range<PointsContainer::const_iterator> PointsRange;
PointsRange getPointsRange() const {
return boost::make_iterator_range(pointsContainer_.begin(), pointsContainer_.end());
}
The advantage is that the traversal logic is hidden within the range/iterator
While using, one alternative is to do:
int p;
foreach(p, obj.getPointsRange()) {
//...
}
otherwise
C::PointsRange r = obj.getPointsRange();
for(C::PointsRange::iterator i = r.begin(); i != r.end(); ++i) {
int p = *i;
//...
}
There is no right answer. The answer will vary with context, of which, at present we have very little.
It depends on the clients of your class. In most situations you would not want a casual inspector to change the object's state, so it is better to a certain degree to return a reference to a const
object. However, in such a case, I'd also make the function a const
i.e.
/* a design const - this accessor does not change the state */
const vector<int> & GetPointsVector() const;
This is also efficient since you are not passing around heavy objects as return values (it is a different question that most compilers do a RVO these days).
If, your client needs to use the vector in algorithms, yes, you'd better provide iterators. But two pairs i.e.
typedef vector<int>::iterator _MyItr;
_MyItr begin() const;
_MyItr begin();
_MyItr end() const;
_MyItr end();
This would be in keeping with the way the STL is designed. But, be careful in specifying what sort of iterator the client can expect (for example: if the class specification says that the iterators returned are RandomIterators
, it sets a certain amount of expectation on your implementation).
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With