ofstream Odeint输出到txt文件

ofstream Odeint output to txt file

我尝试 运行 这个来自 ODEINT 库的例子来求解 ODE。它只是 运行 没问题,但我不想将结果输出到屏幕上,而是想将它们写入文件。我将这个 ofstream 添加到 write_cout 函数下的代码中,但它只将最后一行结果写入文件,而不是全部。 你有什么想法吗?谢谢

#include <iostream>
#include <boost/numeric/odeint.hpp>
#include <fstream>

using namespace std;
using namespace boost::numeric::odeint;


void rhs( const double x , double &dxdt , const double t )
{
dxdt = 3.0/(2.0*t*t) + x/(2.0*t);
}

void write_cout( const double &x , const double t )
{
cout << t << '\t' << x << endl;
cout<<"alo"<<endl;

ofstream buckyFile ("tuna.txt");
buckyFile<<t <<'\t'<<x<<endl;

}

// state_type = double
typedef runge_kutta_dopri5< double > stepper_type;

int main()
{
double x = 0.0;
integrate_adaptive( make_controlled( 1E-12 , 1E-12 , stepper_type() ) ,
                    rhs , x , 1.0 , 10.0 , 0.1 , write_cout );
}
ofstream buckyFile ("tuna.txt");

每次输入函数时都会打开一个新文件tuna.txt,覆盖之前的文件。

一个快速的解决方法是使用

static ofstream buckyFile ("tuna.txt");

相反。

甚至更好

struct stream_writer
{
    std::ostream& m_out;
    stream_writer( std::ostream& out ) : m_out( out ) {}
    void operator()( const double &x , const double t )
    {
        m_out << t << "\t" << x << "\n";
    }
};

int main()
{
    double x = 0.0;
    ofstream fout( "tuna.txt" ); 
    integrate_adaptive( make_controlled( 1E-12 , 1E-12 , stepper_type() ) ,
                rhs , x , 1.0 , 10.0 , 0.1 , stream_writer( fout ) );
}