在C ++代码中,我有一个双打变量矩阵,我打印出来。但是因为它们都具有不同的位数,所以输出格式被破坏。一种解决方案是做
cout.precision(5)
但我希望不同的列具有不同的精度。此外,由于在某些情况下存在负值,因此-
符号的存在也会导致问题。如何解决这个问题并生成格式正确的输出?
答案 0 :(得分:15)
正如其他人所说,关键是使用操纵者。他们是什么
忽略了说你通常使用你写的操纵器
你自己。一个FFmt
操纵器(对应于F
格式
Fortran非常简单:
class FFmt
{
int myWidth;
int myPrecision;
public:
FFmt( int width, int precision )
: myWidth( width )
, myPrecision( precision )
{
}
friend std::ostream&
operator<<( std::ostream& dest, FFmt const& fmt )
{
dest.setf( std::ios_base::fixed, std::ios_base::formatfield );
dest.precision( myPrecision );
dest.width( myWidth );
return dest;
}
};
这样,您可以为每列定义一个变量,例如:
FFmt col1( 8, 2 );
FFmt col2( 6, 3 );
// ...
并写:
std::cout << col1 << value1
<< ' ' << col2 << value2...
一般情况下,除了最简单的程序外,你可能不应该这样
使用标准操纵器,而是基于自定义操纵器
你的申请;例如temperature
和pressure
,如果那样的话
你处理的事情。通过这种方式,它在代码中清楚了
你正在格式化,如果客户端突然要求再输入一个数字
压力,你知道在哪里做出改变。
答案 1 :(得分:14)
在我的脑海中,您可以使用setw(int)来指定输出的宽度。
像这样:std::cout << std::setw(5) << 0.2 << std::setw(10) << 123456 << std::endl;
std::cout << std::setw(5) << 0.12 << std::setw(10) << 123456789 << std::endl;
给出了这个:
0.2 123456
0.12 123456789
答案 2 :(得分:6)
使用manipulators。
来自样本here:
#include <iostream>
#include <iomanip>
#include <locale>
int main()
{
std::cout.imbue(std::locale("en_US.utf8"));
std::cout << "Left fill:\n" << std::left << std::setfill('*')
<< std::setw(12) << -1.23 << '\n'
<< std::setw(12) << std::hex << std::showbase << 42 << '\n'
<< std::setw(12) << std::put_money(123, true) << "\n\n";
std::cout << "Internal fill:\n" << std::internal
<< std::setw(12) << -1.23 << '\n'
<< std::setw(12) << 42 << '\n'
<< std::setw(12) << std::put_money(123, true) << "\n\n";
std::cout << "Right fill:\n" << std::right
<< std::setw(12) << -1.23 << '\n'
<< std::setw(12) << 42 << '\n'
<< std::setw(12) << std::put_money(123, true) << '\n';
}
输出:
Left fill:
-1.23*******
0x2a********
USD *1.23***
Internal fill:
-*******1.23
0x********2a
USD ****1.23
Right fill:
*******-1.23
********0x2a
***USD *1.23
答案 3 :(得分:1)
查看流manipulators,尤其是std::setw
和std::setfill
。
float f = 3.1415926535;
std::cout << std::setprecision(5) // precision of floating point output
<< std::setfill(' ') // character used to fill the column
<< std::setw(20) // width of column
<< f << '\n'; // your number
答案 4 :(得分:0)
尝试使用setw操纵器。有关详细信息,请参阅http://www.cplusplus.com/reference/iostream/manipulators/setw/
答案 5 :(得分:0)
有一种使用i / o操纵器的方法,但我觉得它很笨重。我会写一个这样的函数:
template<typename T>
std::string RightAligned(int size, const T & val)
{
std::string x = boost::lexical_cast<std::string>(val);
if (x.size() < size)
x = std::string(size - x.size(), ' ') + x;
return x;
}