0

SQLサーバーデータベースがあり、そこから日付を取得して、timestamp_tのタイプをInt64に変換しています。

Int64 from_timestamp_t(dtl::timestamp_t& t)
{
    // create a new posix time structure
    boost::posix_time::ptime pt
    (
    boost::gregorian::date           ( t.year, t.month, t.day),
    boost::posix_time::time_duration ( t.hour, t.minute, t.second, t.fraction )
    );

    ptime epoch(date(1970, Jan, 1));
    boost::posix_time::time_duration fromEpoch = pt - epoch;

    // return it to caller
    return fromEpoch.total_milliseconds();
}

私は、Int64からブーストptimeに変換し直そうとします。

ptime from_epoch_ticks(Int64 ticksFromEpoch)
{
    ptime epoch(date(1970, Jan, 1), time_duration(0,0,0));
    ptime time = epoch + boost::posix_time::milliseconds(ticksFromEpoch);

    return time;
}

なんらかの理由で、理由がわからないのですが、日付や時間などがすべて正しいのですが、分が本来あるべき分より数分進んでいます。データベースのタイムスタンプの解像度が秒単位で、ミリ秒を使用しているためですか?これを修正するにはどうすればよいですか?

ダンが提案したように次の変更を適用すると、問題が修正されたようです。

Int64 from_timestamp_t(dtl::timestamp_t& t)
{
    int count = t.fraction * (time_duration::ticks_per_second() % 1000);

    boost::posix_time::ptime pt
        (
        boost::gregorian::date           ( t.year, t.month, t.day ),
        boost::posix_time::time_duration ( t.hour, t.minute, t.second, count )
        );

    ptime epoch(date(1970, Jan, 1), time_duration(0, 0, 0, 0));

    boost::posix_time::time_duration fromEpoch = pt - epoch;

    return fromEpoch.total_milliseconds();
}
4

1 に答える 1

1

私はSQLServer2005に精通していませんが、ticksFromEpochが1秒に相当する場合、ブーストposix時間には秒関数があります。

ptime time = epoch + boost::posix_time::seconds(ticksFromEpoch);

ただし、これを処理する一般的な方法は、ブーストのdate_timeドキュメントに示されています。

これを処理する別の方法は、time_durationのticks_per_second()メソッドを使用して、ライブラリのコンパイル方法に関係なく移植可能なコードを作成することです。解像度に依存しないカウントを計算するための一般的な式は次のとおりです。

count*(time_duration_ticks_per_second / count_ticks_per_second)

たとえば、10分の1秒を表すカウントを使用して構築するとします。つまり、各ティックは0.1秒です。

int number_of_tenths = 5; // create a resolution independent count -- 
                          // divide by 10 since there are
                          //10 tenths in a second.
int count = number_of_tenths*(time_duration::ticks_per_second()/10);
time_duration td(1,2,3,count); //01:02:03.5 //no matter the resolution settings
于 2011-09-14T12:27:30.360 に答える