根据用户输入c ++打开文件

时间:2017-02-03 13:57:28

标签: c++ file io user-input

我正在尝试制作一个基于用户输入打开文件的程序。 这是我的代码:

#include <iostream>
#include <fstream>
#include <string>
using namespace std;

int main() {

    string filename;
    ifstream fileC;

    cout<<"which file do you want to open?";
    cin>>filename;

    fileC.open(filename);
    fileC<<"lalala";
    fileC.close;

    return 0;
}

但是当我编译它时,它给了我这个错误:

[Error] no match for 'operator<<' (operand types are 'std::ifstream {aka std::basic_ifstream<char>}' and 'const char [7]')

有谁知道如何解决这个问题? 谢谢......

2 个答案:

答案 0 :(得分:6)

您的代码有几个问题。首先,如果要写入文件,请使用ofstreamifstream仅用于阅读文件。

其次,open方法需要char[],而不是string。在C ++中存储字符串的常用方法是使用string,但它们也可以存储在char的数组中。要将string转换为char[],请使用c_str()方法:

fileC.open(filename.c_str());

close方法是一种方法,而不是属性,所以你需要括号:fileC.close()

所以正确的代码如下:

#include <iostream>
#include <fstream>
#include <string>
using namespace std;

int main() {
    string filename;
    ofstream fileC;

    cout << "which file do you want to open?";
    cin >> filename;

    fileC.open(filename.c_str());
    fileC << "lalala";
    fileC.close();

    return 0;
}

答案 1 :(得分:2)

您无法写入ifstream,因为这是输入。您想要写入ofstream这是输出文件流。

cout << "which file do you want to open?";
cin >> filename;

ofstream fileC(filename.c_str());
fileC << "lalala";
fileC.close();