Click here to Skip to main content
15,885,767 members
Articles / Programming Languages / C++

Keyword mutable and data caching in C++

Rate me:
Please Sign up or sign in to vote.
4.75/5 (3 votes)
29 Oct 2012CPOL3 min read 18K   3   4
A class to represent valid/invalid data and using the mutable keyword

Introduction

This article is going to be about the c++ keyword mutable, it is also going to go into using mutable for data caching. To motivate this I am going to give an example from python. If I have a class with a property which is expensive to compute I want to cache it and only recalculate it when necessary.  

#==============================================================================
class DataClass(object):
    
    def __init__(self):
        self.__data = None
    @property
    def data(self):
        if (self.__data is None):
            # work out self.__data
        return self.__data

In the preceding example I have used the dynamic typing of python to essentially combine data and a boolean. So if it is None it will be calculated and if not the cached value will be returned. 

Validated Class 

Now my goal is to replicate this in c++. 

C++ is a statically typed language so we cannot use the exact same approach here. So what I have done is make a class to encapsulate this idea. As the type of data is irrelevant to this class I have made it a template class. Here is the public API of the class I have called Validated. 

C++
//=============================================================================
template <typename T>
class Validated {
public:
  Validated();
  // invalid constructor
  Validated(const T& data);
  // valid constructor
  bool valid() const;
  // is this valid or not?
  void invalidate();
  // makes the class invalid again, so call in a function which will change the
  // cached value.
  void set_data(const T& data);
  // set the data, makes the instance valid.
  operator T();
  operator T() const;
  // implicit conversions to the template type.

This dictates the behaviour of the class so if it has a data value then it is valid and if one has not been set then it is invalid. It also (unusually) contains an implicit type converter to the data type. This is so it can be naturally treated as the data it is validating. This is normally done using an explicit function, for example the <a href="http://www.cplusplus.com/reference/string/string/c_str/">c_str()</a> function on a standard string (also see item 5 in More Effective C++), however I feel that the Validated class is just a wrapper around the data so it should natively handle it's operations. 

The code behind this is quite straight forwards and can be seen here. 

This approach can also be accomplished by privately inheriting (implementation inheritance) from a Validated base class. I think that this is a very generic concept and so should be a template, this also means that it works with existing classes and built ins. 

Using Validated  

 Now for the use of this class and the keyword mutable. My example is going to be a triangle and calculating it's area. So here is the API for my Triangle class, and a Point struct to hold the coordinates. 

C++
//=============================================================================
struct Point {
  Point(double new_x, double new_y) {
    x = new_x;
    y = new_y;
  }
  double x;
  double y;
};
//=============================================================================
class Triangle {
public:
  Triangle(const Point& point_1, const Point& point_2, const Point& point_3);
  // Constructor, points should be entered anti-clockwise.
  void set_first_point(const Point& point);
  // Sets the first point
  double area() const;
  // Returns the area

 

This is a quite straight forward class but it is the implementation which is interesting here. Here are the private members of Triangle.

C++
private:
  Point m_point_1;
  Point m_point_2;
  Point m_point_3;
  
  mutable Validated<double> m_area;
  // this is mutable as it is used as a cache in area() which is a logically
  // const method

 

This is where the point of this post comes in, the mutable Validated double. Here is a possible implementation of the area() function.

C++
//=============================================================================
double Triangle::area() const
//
//D Returns the area
//
{
  // work out the area using 1/2 ab sin(C)
    
  // a is the length between point 1 and point 2
  double a = sqrt(
    (m_point_2.x - m_point_1.x) * (m_point_2.x - m_point_1.x) +
    (m_point_2.y - m_point_1.y) * (m_point_2.y - m_point_1.y)
  );
  // b is the length between point 2 and point 3
  double b = sqrt(
    (m_point_3.x - m_point_2.x) * (m_point_3.x - m_point_2.x) +
    (m_point_3.y - m_point_2.y) * (m_point_3.y - m_point_2.y)
  );
  // c is the length between point 3 and point 1
  double c = sqrt(
    (m_point_1.x - m_point_3.x) * (m_point_1.x - m_point_3.x) +
    (m_point_1.y - m_point_3.y) * (m_point_1.y - m_point_3.y)
  );
  // use the cosine rule cos(C) = (a^2 + b^2 - c^2) / 2ab
  double cos_C = (a*a + b*b - c*c) / (2 * a * b);
  return 0.5 * a * b * sin(acos(cos_C);
} 

 

This is not that computationally expensive a function but suppose we are calling it a lot, so we decide to cache the result in a member variable m_area. We have two choices here as we are going to be setting a member variable we could change the method to not be const. This works fine but working out the area is logically not going to change the triangle in any way so we call it logically const. The fact that you are caching the area is an implementation detail that should not be reflected in the public API of the class. So this is why the keyword mutable is used. It means you can change that variable in a const method. This is why I declared the m_area variable as mutable. Combining this with the Validated class the function becomes this.

C++
//=============================================================================
double Triangle::area() const
//
//D Returns the area, first time it works it out it caches the result.
//
{
  if (!m_area.valid()) {
    // work out the area using 1/2 ab sin(C)
    
    // a is the length between point 1 and point 2
    double a = sqrt(
      (m_point_2.x - m_point_1.x) * (m_point_2.x - m_point_1.x) +
      (m_point_2.y - m_point_1.y) * (m_point_2.y - m_point_1.y)
    );
    // b is the length between point 2 and point 3
    double b = sqrt(
      (m_point_3.x - m_point_2.x) * (m_point_3.x - m_point_2.x) +
      (m_point_3.y - m_point_2.y) * (m_point_3.y - m_point_2.y)
    );
    // c is the length between point 3 and point 1
    double c = sqrt(
      (m_point_1.x - m_point_3.x) * (m_point_1.x - m_point_3.x) +
      (m_point_1.y - m_point_3.y) * (m_point_1.y - m_point_3.y)
    );
    // use the cosine rule cos(C) = (a^2 + b^2 - c^2) / 2ab
    double cos_C = (a*a + b*b - c*c) / (2 * a * b);
    m_area.set_data(0.5 * a * b * sin(acos(cos_C)));
  }
  return m_area;
} 

 

So the Validated class wrapper is used to cache the value and the member is mutable so that the method can be const.

In the BitBucket repository there is an executable which shows that the cached value is being used. It also shows the Validated::invalidate() method being used in a non-const method on the Triangle class. 

Using the code  

The .zip attached is the project folder which can be compiled using make. The code can also be downloaded from https://bitbucket.org/davidcorne/mutable.  

History 

- 26/10/12 Written.

- 26/10/12 Attached .zip of project. 

This article was originally posted at https://bitbucket.org/davidcorne/mutable

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer
United Kingdom United Kingdom
I am a C++ developer with a strong interest in Python, C#, and Qt. I work on a native C++ application which uses COM to call C# in order to use a WPF GUI.

While I develop an application using WPF exclusivly for windows, I am a big linux user. My favourite distro at the moment is Linux Mint, and I love the delights of the command line,.

If you've read something of mine and you enjoyed it, check out my blog.

I am also active on various other sites, listed below.

Coding Sites



  • BitBucket where I keep the majority of my projects.
  • GitHub where I have a few older projects. This includes my current long term project, I'm writing a book about design patterns in python. Find the repository here and blog posts about individual patterns here
  • Stackoverflow I'm not too active on stackoverflow, I'm more of a listener.
  • coderwall and coderbits two profile compilation websites.


Social Sites



Comments and Discussions

 
QuestionSimpler solution Pin
David O'Neil18-Jul-14 10:35
professionalDavid O'Neil18-Jul-14 10:35 
Questionremark about thread safety and question about cache invalidation Pin
Julien Cuquemelle3-Mar-14 1:07
Julien Cuquemelle3-Mar-14 1:07 
Questioncomment style Pin
Stefan_Lang5-Nov-12 22:23
Stefan_Lang5-Nov-12 22:23 
AnswerRe: comment style Pin
David Corne6-Nov-12 0:23
David Corne6-Nov-12 0:23 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.