5

我正在编写一个具有各种消息输出的类。我想让这个类通用且独立于平台,所以我正在考虑将basic_ostream引用传递给它,它可以将所有消息转储到流中。通过这样做,如果该类在控制台程序中使用,我可以将std::cout传递给它并显示在控制台窗口中。

或者我可以将派生的 ostream 传递给它并将消息重定向到某些 UI 组件,例如 ListBox?唯一的问题是数据插入器operator <<不是虚拟功能。如果我将派生类引用传递给它,则只会调用basic_ostream << 运算符。

有什么解决方法吗?

4

1 回答 1

1

Nan Zhang自己的答案,最初作为问题的一部分发布:

跟进:好的,这是实现所需功能的派生 std::streambuf :

class listboxstreambuf : public std::streambuf { 
public:
    explicit listboxstreambuf(CHScrollListBox &box, std::size_t buff_sz = 256) :
            Scrollbox_(box), buffer_(buff_sz+1) {
        char *base = &buffer_.front();
        //set putbase pointer and endput pointer
        setp(base, base + buff_sz); 
    }

protected:
    bool Output2ListBox() {
        std::ptrdiff_t n = pptr() - pbase();
        std::string temp;
        temp.assign(pbase(), n);
        pbump(-n);
        int i = Scrollbox_.AddString(temp.c_str());
        Scrollbox_.SetTopIndex(i);
        return true;
    }

private:
    int sync() {
        return Output2ListBox()? 0:-1;
    }

    //copying not allowed.
    listboxstreambuf(const listboxstreambuf &);
    listboxstreambuf &operator=(const listboxstreambuf &);

    CHScrollListBox &Scrollbox_;
    std::vector<char> buffer_;
};

要使用此类,只需创建一个 std::ostream 并使用此缓冲区进行初始化

std::ostream os(new listboxstreambuf(some_list_box_object));
于 2012-06-18T21:35:44.520 回答