0

这是我的功能

ostream margain(std::string firstWord)
{
    ostream x;
    x << std::setw(20) << firstWord;
    return x;
}

在主要我想使用如下功能

std::cout<< margain("start") << "````````````````````````````````````" << std::endl;
// print things out
//then
std::cout<< margain("End") << "````````````````````````````````````" << std::endl;

我得到输出,开始或结束没有显示,返回值为

0````````````````````````````````````

我该如何解决?为什么?

编辑: 我知道该功能是造成这种情况的原因,因为如果我添加它

cout << std::setw(20) << firstWord; 在函数中,它打印正确,

我修复了它,不是最好的方法,而是

调用函数为

余量(std::cout,“结束”)<<“~=~=~=~=~=~=~=~=~=~=~=~=~=~=~=~=~=~= ~=~=~=~=~=~=~" << endl;

该功能看起来像

ostream& margain(ostream& stream, std::string firstWord)
{
    stream << std::left << std::setw(10) << firstWord;
    return stream;
}

有人知道更好的方法吗?

4

2 回答 2

2

您正在打印 ostream 的值,而不是firstword. 在ostream x这种情况下,这是一个未打开的流,因此它不会“做”任何事情。因为编译器允许转换为bool(C++11) 或void *(C++11 之前),所以会打印来自该转换的“值”。请注意,对 的任何操作x都不会影响cout.

我认为最简单的解决方案是实际添加std::setw(20)到您的输出行:

std::cout<< std::setw(20 << "End" << "````````````````````````````````````" << std::endl;

另一种选择是传递std::couttomargain并返回std::string,如下所示:

std::string margain(ostream& x, const std::string& firstWord)
{
    x << std::setw(20);
    return firstWord;
}

那么你可以这样做:

std::cout<< margain(cout, "start") << "````````````````````````````````````" << std::endl;

但它并不完全灵活或“整洁”。

第三种选择当然是MarginString上课:

class MarignString
{
  private:
     int margin;
     std::string str;
  public:
     MarginString(int margin, std::string str) margin(margin), str(str) {}
     operator std::string() { return str; }
     friend std::ostream& operator(std::ostream& os, const MarginString& ms);
 };


 std::ostream& operator(std::ostream& os, const MarginString& ms)
 {
     os << std::setw(ms.margin) << ms.str;
     return os;
 }

 ...
 std::cout<< MarginString(20, "start") << "````````````````````````````````````" << std::endl;

请注意,最后一种方式可能也不是那么好......;)

于 2013-09-05T14:24:52.413 回答
1
struct margin
{
    margin(std::string word) : word(word) { }

    friend std::ostream& operator <<(std::ostream& os, margin const& m)
    {
         return os << std::setw(20) << m.word;
    }

private:
    std::string word;
};
于 2013-09-05T14:29:30.070 回答