0

我一直在努力扩展/修改推力 + odeint 示例 [代码文档],它系统地改变一个参数,并观察效果。

我遇到了一个奇怪的错误,当我尝试修改某些应该修改的变量(并且在示例中被修改)时,我收到以下错误。

main.cu: error: expression must be a modifiable lvalue

下面是我尝试运行的观察者结构的源代码,其中的注释显示了导致错误的行。

我理解这个错误意味着赋值运算符左边的表达式=不是可修改的值。但在我看来,它与上面示例源中具有相同名称的变量完全相同(运行良好)。

//// Observes the system to detect if it ever dies during the trial
struct death_observer {

  // CONSTRUCTOR
  death_observer( size_t N, size_t historyBufferLen = 1) 
    : m_N( N ), m_count( 0 ) { }

  template< class State , class Deriv >
  void operator()(State &x , Deriv &dxdt , value_type t ) const
  {
    ++m_count;                                 // <-- This line causes the error.
  }

  // variables
  size_t m_N;   
  size_t m_count;
};

...这是运行积分器和此观察者的 main() 代码,以防万一。

  parallel_initial_condition_problem init_con_solver( N_ICS );
  death_observer obs( N_ICS );

  //////////////////////////////// // // integrate   
  typedef runge_kutta_dopri5< state_type , value_type , state_type , value_type, thrust_algebra, thrust_operations > stepper_type;
  const value_type abs_err = 1.0e-6;
  const value_type rel_err = 1.0e-6;

  double t = t_0;
  while( t < t_final ) {
    integrate_adaptive( make_controlled( abs_err, rel_err, stepper_type() ) ,
            init_con_solver ,
            std::make_pair( x.begin() , x.begin() + N_VARS*N_ICS  ),
            t , t + 1.0 , init_dt );
    t += 1.0;
    obs( x, *(&x+N_VARS*N_ICS), t); // not sure about middle arg here, but I don't think it is the cause of the error.
  }

我试图将我的代码缩减为最简单的情况。注释掉上面第 3 到最后一行会导致程序运行良好。

我到底做错了什么?我的 m_count 和上面链接的示例代码中的 m_count 有什么不同?非常感谢!

4

1 回答 1

3

将评论转换为答案:

template< class State , class Deriv >
void operator()(State &x , Deriv &dxdt , value_type t ) const
{
    ++m_count;                                 // <-- This line causes the error.
}

您声明operator()const成员函数,因此它不能修改类数据成员,除非该成员声明为mutable.

旁注:*(&x+N_VARS*N_ICS)几乎可以肯定是不正确的,因为x看起来像是.begin()调用中的容器。

于 2014-08-21T01:02:20.883 回答