3

数値をゼロで埋めに boost::posix_time::ptime オブジェクトをフォーマットするにはどうすればよいですか?

たとえば、 ではなく6/7/2011 6:30:25 PM表示したい。 06/07/2011 06:30:25 PM

.NET では、フォーマット文字列は "m/d/yyyy h:mm:ss tt" のようなものになります。

アイデアを得るために、間違った方法で行うコードを次に示します。

boost::gregorian::date baseDate(1970, 1, 1);
boost::posix_time::ptime shiftDate(baseDate);
boost::posix_time::time_facet *facet = new time_facet("%m/%d/%Y");
cout.imbue(locale(cout.getloc(), facet));
cout << shiftDate;
delete facet;

Output: 01/01/1970
4

2 に答える 2

3

私の知る限り、この機能はBoost.DateTimeに組み込まれていませんが、独自のフォーマット関数を作成するのは非常に簡単です。

template<typename CharT, typename TraitsT>
std::basic_ostream<CharT, TraitsT>& print_date(
    std::basic_ostream<CharT, TraitsT>& os,
    boost::posix_time::ptime const& pt)
{
    boost::gregorian::date const& d = pt.date();
    return os
        << d.month().as_number() << '/'
        << d.day().as_number() << '/'
        << d.year();
}

template<typename CharT, typename TraitsT>
std::basic_ostream<CharT, TraitsT>& print_date_time(
    std::basic_ostream<CharT, TraitsT>& os,
    boost::posix_time::ptime const& pt)
{
    boost::gregorian::date const& d = pt.date();
    boost::posix_time::time_duration const& t = pt.time_of_day();
    CharT const orig_fill(os.fill('0'));
    os
        << d.month().as_number() << '/'
        << d.day().as_number() << '/'
        << d.year() << ' '
        << (t.hours() && t.hours() != 12 ? t.hours() % 12 : 12) << ':'
        << std::setw(2) << t.minutes() << ':'
        << std::setw(2) << t.seconds() << ' '
        << (t.hours() / 12 ? 'P' : 'A') << 'M';
    os.fill(orig_fill);
    return os;
}
于 2011-06-21T22:01:26.407 に答える
2

私は他の回答に完全に同意します.1桁の日付で日付を与えるフォーマッタ指定子はないようです.

一般に、フォーマッタ文字列を使用する方法があります (一般的なstrftime形式とほぼ同じです)。これらの書式指定子は、たとえば次のようになります"%b %d, %Y"

tgamblinはここで素晴らしい説明を提供しました。

于 2012-02-22T18:39:37.557 に答える