我正在尝试创建折线图,以显示从本地文件读取的温度。当前,除图形输出外,其他所有功能均按预期工作。

现在,我的负数else语句无法正常工作。此外,似乎显示了一些数字,而没有显示。

最后,显示的数字未显示正确的数字“*”。我知道我已经接近了,但是无法破解代码...

#include <iostream>
#include <string>
#include <iomanip>
#include <fstream>

using namespace std

int main()
{

//Variable declarations
int numberOfStars;
int printStars;
int temp;
int count = 0;
string lineBreak = " | ";



ifstream tempData;
tempData.open("tempData.txt");

cout << "Temperatures for 24 hours: " << endl;
cout << "   -30      0      30      60      90      120" << endl;

printStars = 0;

while (count < 24) {
    tempData >> temp;

    if (temp >= 0) {
        numberOfStars = temp / 3;
        cout << setw(4) << temp << setw(10) << lineBreak;

        while (printStars < numberOfStars){
            cout << '*';
            printStars++;
        }
        cout << endl << endl;

    }

    else {
        numberOfStars = temp / 3;

        while (numberOfStars > printStars) {
            cout << '*';
            printStars++;
        }
        cout << setw(4) << temp << setw(10)<< lineBreak << endl << endl;

    }

    count++;

}

//Closing program statements
system("pause");
return 0;

当前它正在输出:

预先感谢您的帮助。

最佳答案

哦,只是把你的printStars = 0;放在一会儿:)

如果要在温度numberOfStars = temp / 3 + 1;。

编辑:您可以简化很多代码。您可以很容易地用n次字符创建一个字符串。您的代码应如下所示:

#include <iostream>
#include <string>
#include <iomanip>
#include <fstream>

using namespace std;

int main()
{

//Variable declarations
int numberOfStars;
int numberOfSpaces;
int temp;
int count = 0;
string lineBreak = " | ";
ifstream tempData;
tempData.open("data.txt");

cout << "Temperatures for 24 hours: " << endl;
cout << "   -30      0      30      60      90      120" << endl;

while (count < 24) {
    tempData >> temp;
    numberOfStars = temp / 3 + 1;

    if (temp >= 0) {
        cout << setw(4) << temp << setw(10) << lineBreak;
        cout << string(numberOfStars, '*');
    }
    else {
        cout << setw(4) << temp;
        numberOfSpaces = 7 + numberOfStars;

        // Prevent any ugly shift
        if (numberOfSpaces < 0)
        {
            numberOfSpaces = 0;
            numberOfStars = -7;
        }

        cout << string(7 + numberOfStars, ' ');
        cout << string(-numberOfStars, '*');
        cout << lineBreak;
    }
    cout << endl << endl;
    count++;

}

//Closing program statements
cin.get();
return 0;
}

关于c++ - C++折线图表现时髦,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40352098/

10-11 22:44