我正在尝试格式化一个“cout”,它必须显示如下内容:
Result $ 34.45
金额 ($ 34.45) 必须在正确的索引上,具有一定数量的填充或在特定列位置结束。我尝试使用
cout << "Result" << setw(15) << right << "$ " << 34.45" << endl;
但是,它设置了“$”字符串的宽度,而不是字符串加上金额。
关于处理这种格式的任何建议?
您需要将“$”和值34.45组合成单独的字符串。试试这样:
#include <iostream>
#include <string>
#include <sstream>
#include <iomanip>
using namespace std;
int main()
{
stringstream ss;
ss << "$ " << 34.45;
cout << "Result" << setw(15) << right << ss.str() << endl;
}
您尝试将格式修饰符应用于不同类型的两个参数(字符串文字和 a double
),但无法解决。要为 the 和 number 设置宽度"$ "
,您需要先将两者都转换为字符串。一种方法是
std::ostringstream os;
os << "$ " << 34.45;
const std::string moneyStr = os.str();
std::cout << "Result" << std::setw(15) << std::right << moneyStr << "\n";
诚然,这很冗长,因此您可以将第一部分放在辅助函数中。另外,std::ostringstream
格式化可能不是最好的选择,你也可以看看std::snprintf
(重载4)。
另一种方法是使用std::put_money
.
#include <iostream>
#include <locale>
#include <iomanip>
void disp_money(double money) {
std::cout << std::setw(15) << std::showbase << std::put_money(money*100.)<< "\n";
}
int main() {
std::cout.imbue(std::locale("en_US.UTF-8"));
disp_money(12345678.9);
disp_money(12.23);
disp_money(120.23);
}
输出
$12,345,678.90
$12.23
$120.23