web-dev-qa-db-ja.com

cinを使用してユーザーから完全な行を読み取る方法は?

これが私の現在のC++コードです。 writeコード行の方法を教えてください。それでもcin.getline(y)または別の何かを使用しますか?確認しましたが何も見つかりません。私がそれを実行すると、出力に必要な完全な行の代わりにone Wordと入力する以外は、完全に機能します。これは私が助けを必要としていることです。私はそれをコードで概説しました。

助けてくれてありがとう

#include <iostream>
#include <cstdlib>
#include <cstring>
#include <fstream>

using namespace std;

int main()
{
    char x;

    cout << "Would you like to write to a file?" << endl;
    cin >> x;
    if (x == 'y' || x == 'Y')
    {
        char y[3000];
        cout << "What would you like to write." << endl;
        cin >> y;
        ofstream file;
        file.open("Characters.txt");
        file << strlen(y) << " Characters." << endl;
        file << endl;
        file << y; // <-- HERE How do i write the full line instead of one Word

        file.close();


        cout << "Done. \a" << endl;
    }
    else
    {
        cout << "K, Bye." << endl;
    }
}
20
FuzionSki

コード cin >> y;行全体ではなく、1つの単語のみを読み取ります。行を取得するには、次を使用します。

string response;
getline(cin, response);

次に、responseには行全体の内容が含まれます。

65
ybakos
#include <iostream>
#include <cstdlib>
#include <cstring>
#include <fstream>
#include <string>

int main()
{
    char write_to_file;
    std::cout << "Would you like to write to a file?" << std::endl;
    std::cin >> write_to_file;
    std::cin >> std::ws;
    if (write_to_file == 'y' || write_to_file == 'Y')
    {
        std::string str;
        std::cout << "What would you like to write." << std::endl;

        std::getline(std::cin, str);
        std::ofstream file;
        file.open("Characters.txt");
        file << str.size() << " Characters." << std::endl;
        file << std::endl;
        file << str;

        file.close();

        std::cout << "Done. \a" << std::endl;
    }
    else
        std::cout << "K, Bye." << std::endl;
}
9
hidayat
string str;
getline(cin, str);
cin >> ws;

getline関数を使用して、Word単位で読み取る代わりに、行全体を読み取ることができます。そして、cin >> wsは空白をスキップするためのものです。そして、あなたはそれについてここにいくつかの詳細を見つけます: http://en.cppreference.com/w/cpp/io/manip/ws

3
Yini Guo