在 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