0

这是我在头文件中创建的类的摘录:

typedef double real;

class Grid{
   public :

      explicit Grid ();
      explicit Grid(size_t level );
      Grid(const Grid & grid );

      ~ Grid ();


      const Grid & operator =( const Grid & grid );

      inline real & operator ()( size_t i , size_t j );
      inline real operator ()( size_t i ,size_t j ) const;

      void fill( real value );
      void setBoundary ( real value );

 private :

   size_t y_ ; // number of rows 
   size_t x_ ; // number of columns 
   real h_ ; // mesh size 
   real * v_ ; //  values 
};

这是我为先前在单独的 .cpp 文件中声明的函数编写的代码的摘录。请注意,我只包含了与我的错误相关的部分。

  inline real&  Grid :: operator ()( size_t i , size_t j ){
    if( (i >= y_) || (j>=x_ ) )
      throw std::invalid_argument( "Index out of bounds" );
    return v_ [i* x_ +j];
  }

  inline real Grid::operator ()( size_t i ,size_t j ) const{
    if( (i >= y_) || (j>=x_ ) )
      throw std::invalid_argument( "Index out of bounds" );
    return v_[i* x_+j];
  }


  void Grid::fill( real value ){
   for(size_t i=1;i<y_;++i){
    for(size_t j=1;j<x_;++j)
     v_(i,j)=value;
   }

  }

 void Grid::setBoundary ( real value ){
    size_t i = 0;
    for(size_t j=0;j<x_;++j){
     v_(i,j)=value;
    }
    i = y_;
    for(size_t j=0;j<x_;++j){
     v_(i,j)=value;
    }
    size_t j = 0;
    for(size_t i=0;i<y_;++i){
     v_(i,j)=value;
    }
    j = x_;
    for(size_t i=0;i<y_;++i){
     v_(i,j)=value;
    }
  }

我收到一个错误

((Grid*)this)->Grid::v_不能用作函数

每当我尝试在and函数中使用重载()运算符时。我曾尝试在网上寻找类似的错误,但遗憾的是无法取得太大进展。你有什么建议吗,因为我认为重载运算符的实现是正确的,据我所知,我还没有命名任何与成员变量同名的函数。fillsetBoundary

4

2 回答 2

3

v_是一个real*,即一个指针。指针没有operator(),所以你不能写v_(something)

你已经operator()为你的Grid班级提供了一个重载。如果要使用该重载,则需要()在类的对象上使用Grindv_不是您Grid班级的对象。

您可能想要调用operator()当前对象(即,正在调用fillsetBoundary正在调用的对象)。要做到这一点,你会写(*this)(arguments).

于 2013-05-04T13:31:00.927 回答
3

当您编写 时v_(i,j),您不会调用重载()运算符。你应该试试(*this)(i,j)

于 2013-05-04T13:32:14.507 回答