代码之家  ›  专栏  ›  技术社区  ›  jaho

重载运算符<<用于文本呈现

  •  4
  • jaho  · 技术社区  · 11 年前

    我想创建一个类,通过使用3D渲染器提供std::cout或类似QDebug的功能来帮助我进行调试。

    我现在使用以下渲染器方法

    IRenderer::renderText(int posX, int posY, const float* color, const char* text, ...);
    
    // E.g.
    int i;
    float f;
    float color[] = {1, 1, 1, 1};
    
    renderer->renderText(50, 50, color, "Float %f followed by int %i", f, i);
    

    这实际上很好,但我想知道是否有可能创建一个类,允许我这样做:

    debug() << "My variables: " << i << ", " << "f";
    

    我假设会有一个模板函数,它会构建要传递给的字符串 renderText() 基于输入类型,但我不太确定如何实现它。

    2 回复  |  直到 11 年前
        1
  •  2
  •   congusbongus piRSquared    11 年前

    Rob的答案的另一种选择是包含 ostringstream 在自定义记录器类中,并使用析构函数进行日志记录:

    #include <iostream>
    #include <sstream>
    
    class MyLogger
    {
    protected:
        std::ostringstream ss;
    
    public:
        ~MyLogger()
        {
            std::cout << "Hey ma, I'm a custom logger! " << ss.str();
    
            //renderer->renderText(50, 50, color, ss.str());
        }
    
        std::ostringstream& Get()
        {
            return ss;
        }
    };
    
    int main()
    {
        int foo = 12;
        bool bar = false;
        std::string baz = "hello world";
    
        MyLogger().Get() << foo << bar << baz << std::endl;
    
        // less verbose to use a macro:
    #define MY_LOG() MyLogger().Get()
        MY_LOG() << baz << bar << foo << std::endl;
    
        return 0;
    }
    
        2
  •  0
  •   Robᵩ    11 年前

    我喜欢从std::ostream派生我的日志类,所以我得到了所有流的好处。诀窍是将所有特定于应用程序的代码放在相关的streambuf类中。考虑一下这个工作示例。要修改它以满足您的需求,只需重写 CLogBuf::sync() ,就像这样:

    int sync() { 
      renderer->renderText(50, 50, color, "%s", str());
      str("");
      return false;
    }  
    

    例子:

    #include <iostream>
    #include <sstream>
    
    class CLogger : public std::ostream {
    private:
        class CLogBuf : public std::stringbuf {
        private:
            // or whatever you need for your application
            std::string m_marker;
        public:
            CLogBuf(const std::string& marker) : m_marker(marker) { }
            ~CLogBuf() {  pubsync(); }
            int sync() { std::cout << m_marker << ": " << str(); str("");  return !std::cout; }
        };
    
    public:
        // Other constructors could specify filename, etc
        // just remember to pass whatever you need to CLogBuf
        CLogger(const std::string& marker) : std::ostream(new CLogBuf(marker)) {}
        ~CLogger() { delete rdbuf(); }
    };
    
    int main()
    {
        CLogger hi("hello");
        CLogger bye("goodbye");
    
        hi << "hello, world" << std::endl;
        hi << "Oops, forgot to flush.\n";
        bye << "goodbye, cruel world\n" << std::flush;
        bye << "Cough, cough.\n";
    }