完成一个长项目,最后一步是确保我的数据在正确的列中排列。简单。只有我遇到这个问题并且已经花了很长时间而不是我想承认观看很多视频并且不能真正掌握了要做的事情所以这里是我的代码的一小部分代码遇到麻烦:
#include <iostream>
#include <iomanip>
using namespace std;
int main(){
cout << "Student Grade Summary\n";
cout << "---------------------\n\n";
cout << "BIOLOGY CLASS\n\n";
cout << "Student Final Final Letter\n";
cout << "Name Exam Avg Grade\n";
cout << "----------------------------------------------------------------\n";
cout << "bill"<< " " << "joeyyyyyyy" << right << setw(23)
<< "89" << " " << "21.00" << " "
<< "43" << "\n";
cout << "Bob James" << right << setw(23)
<< "89" << " " << "21.00" << " "
<< "43" << "\n";
}
适用于第一个条目,但是bob james条目的数字都是歪斜的。我以为setw应该让你忽略它?我错过了什么? 感谢
答案 0 :(得分:2)
它不像您想象的那样有效。 std::setw
仅为下次插入设置字段的宽度(即it is not "sticky")。
尝试这样的事情:
#include <iostream>
#include <iomanip>
using namespace std;
int main() {
cout << "Student Grade Summary\n";
cout << "---------------------\n\n";
cout << "BIOLOGY CLASS\n\n";
cout << left << setw(42) << "Student" // left is a sticky manipulator
<< setw(8) << "Final" << setw(6) << "Final"
<< "Letter" << "\n";
cout << setw(42) << "Name"
<< setw(8) << "Exam" << setw(6) << "Avg"
<< "Grade" << "\n";
cout << setw(62) << setfill('-') << "";
cout << setfill(' ') << "\n";
cout << setw(42) << "bill joeyyyyyyy"
<< setw(8) << "89" << setw(6) << "21.00"
<< "43" << "\n";
cout << setw(42) << "Bob James"
<< setw(8) << "89" << setw(6) << "21.00"
<< "43" << "\n";
}
答案 1 :(得分:1)
操纵者<< right << setw(23)
告诉ostream
你想要的
字符串“89”设置在23个字符宽的字段的右边缘。
没有什么可以告诉ostream你希望那个字段开始,
但是,除了自输出以来输出的字符串的宽度
最后一个换行符。
并且<< "bill"<< " " << "joeyyyyyyy"
会在输出中写入更多字符
比<< "Bob James"
更强,所以第二行的23个字符宽的字段
在第一行的同一个字段的左边开始很多。
答案 2 :(得分:1)
流操纵器会影响正在流式传输的下一个输入/输出值,然后一些操纵器(包括setw()
)会重置。因此,您需要在输出文本字符串之前设置宽度和对齐方式,而不是之后。
尝试更像这样的事情:
#include <iostream>
#include <iomanip>
#include <string>
using namespace std;
void outputStudent(const string &firstName, const string &lastName,
int finalExam, float finalAvg, int letterGrade)
{
cout << setw(40) << left << (firstName + " " + lastName) << " "
<< setw(6) << right << finalExam << " "
<< setw(6) << right << fixed << setprecision(2) << finalAvg << " "
<< setw(7) << right << letterGrade << "\n";
}
int main()
{
cout << "Student Grade Summary\n";
cout << "---------------------\n\n";
cout << "BIOLOGY CLASS\n\n";
cout << "Student Final Final Letter\n";
cout << "Name Exam Avg Grade\n";
cout << "--------------------------------------------------------------\n";
outputStudent("bill", "joeyyyyyyy", 89, 21.00, 43);
outputStudent("Bob", "James", 89, 21.00, 43);
cin.get();
return 0;
}
输出:
Student Grade Summary
---------------------
BIOLOGY CLASS
Student Final Final Letter
Name Exam Avg Grade
--------------------------------------------------------------
bill joeyyyyyyy 89 21.00 43
Bob James 89 21.00 43