在 C++ 中以右对齐输出
本文将演示关于如何在 C++ 中对输出流进行右对齐的多种方法。
使用 std::right
和 std::setw
在 C++ 中对输出进行右对齐
C++ 标准库提供了 I/O 操纵器帮助函数,在使用 << >>
运算符时,可以更好地控制流,它们被包含在 <iomanip>
头文件中。std::right
是流操作器中的一个,它可以设置填充字符的位置。因此它应该与 std::setw
操纵器函数一起使用,后者用于设置流的宽度。std::setw
以一个单整数作为参数来指定流宽要分配的字符数。
在接下来的示例代码中,我们用不同精度的任意值初始化一个 double
向量,然后将其全部输出为在控制台右侧对齐。
#include <iostream>
#include <iomanip>
#include <vector>
using std::cout; using std::endl;
using std::vector; using std::fixed;
using std::right; using std::setw;
int main() {
vector<double> d_vec = {123.231, 2.2343, 0.324, 0.012,
26.9491092019, 11013,
92.001112, 0.000000234};
for (auto &i : d_vec) {
cout << right
<< setw(20)
<< fixed
<< i << endl;
}
cout << endl;
return EXIT_SUCCESS;
}
输出:
123.231000
2.234300
0.324000
0.012000
26.949109
11013.000000
92.001112
0.000000
使用 printf
函数在 C++ 中对输出进行右对齐
另一个处理 I/O 格式化的强大函数是 printf
。尽管 printf
没有和 cin
/cout
流一起使用,但它可以单独格式化变量参数。请注意,我们使用%f
格式指定符来指定浮点数,我们使用了 20,作为一个任意值,给每个元素添加填充字符。因此,每一行都是 20
字符宽,由于数字是正数,所以填充字符从左边开始添加。
#include <iostream>
#include <iomanip>
#include <vector>
using std::cout; using std::endl;
using std::vector; using std::fixed;
using std::right; using std::setw;
int main() {
vector<double> d_vec = {123.231, 2.2343, 0.324, 0.012,
26.9491092019, 11013,
92.001112, 0.000000234};
for (auto &i : d_vec) {
printf("%20f\n", i);
}
return EXIT_SUCCESS;
}
输出:
123.231000
2.234300
0.324000
0.012000
26.949109
11013.000000
92.001112
0.000000
或者,我们可以在格式指定器中插入一个负整数来填充右侧的字符,使输出从左边开始。printf
的另一个强大功能是格式化文字字符串值,如下例代码所示。注意%c
是 char
格式指定符,0x20
值是十六进制的空格字符。
#include <iostream>
#include <iomanip>
#include <vector>
using std::cout; using std::endl;
using std::vector; using std::fixed;
using std::right; using std::setw;
int main() {
vector<double> d_vec = {123.231, 2.2343, 0.324, 0.012,
26.9491092019, 11013,
92.001112, 0.000000234};
for (auto &i : d_vec) {
printf("%-20f\n", i);
}
printf("%60s\n", "this ought to be justified right");
printf("%-20s|%20c|%20s\n", "wandering", 0x20, "the tower");
return EXIT_SUCCESS;
}
输出:
123.231000
2.234300
0.324000
0.012000
26.949109
11013.000000
92.001112
0.000000
this ought to be justified right
wandering | | the tower
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn