最好的解决方案取决于你为什么要做非常量的东西。例如,如果您有一个结果缓存想要用来提高性能,那么您可以使缓存可变,因为这样可以保留逻辑常量:
class MyClass : public ITCODPathCallback
{
...
public: // The callback function
   float getWalkCost(int xFrom, int yFrom, int xTo, int yTo, void *userData ) const 
   {
      return this->doSomeMath();
   };
   float doSomeMath() const { // ok to modify cache here }
   mutable std::map<int,int> cache;
};
或者,也许您想记录一些关于调用 getWalkCost 的次数以及最大 x 值是多少的统计信息,然后传递对统计信息的引用可能是最好的:
class MyClass : public ITCODPathCallback
{
...
public: 
   struct WalkStatistics {
     int number_of_calls;
     int max_x_value;
     WalkStatistics() : number_of_calls(0), max_x_value(0) { }
   };
   MyClass(WalkStatistics &walk_statistics)
     : walk_statistics(walk_statistics)
   {
   }
   // The callback function
   float getWalkCost(int xFrom, int yFrom, int xTo, int yTo, void *userData ) const 
   {
      return this->doSomeMath();
   };
   float doSomeMath() const { // ok to modify walk_statistics members here }
   WalkStatistics &walk_statistics;
};