在实际项目中,stdin
(标准输入)通常用于从控制台或其他输入源读取数据
命令行参数解析:
当编写一个命令行程序时,你可能需要处理用户提供的参数。这些参数可以通过argc
和argv
传递给main
函数,但有时你可能还需要从用户那里获取更多信息。这时,你可以使用stdin
来读取用户输入。
#include<iostream>
#include<string>
int main(int argc, char* argv[]) {
if (argc < 2) {
std::cerr << "Usage: "<< argv[0] << " <filename>"<< std::endl;
return 1;
}
std::string filename = argv[1];
std::cout << "You provided the filename: "<< filename<< std::endl;
std::string input;
std::cout << "Please enter some text: ";
std::getline(std::cin, input);
std::cout << "You entered: "<< input<< std::endl;
return 0;
}
交互式程序:
对于交互式程序,如聊天客户端或游戏,stdin
是用于接收用户输入的常用方法。
#include<iostream>
#include<string>
int main() {
std::string input;
while (true) {
std::cout << "Enter a message (type 'exit' to quit): ";
std::getline(std::cin, input);
if (input == "exit") {
break;
}
std::cout << "You said: "<< input<< std::endl;
}
return 0;
}
重定向输入:
在处理文件或其他数据流时,你可能需要从文件或其他源读取数据。这时,你可以使用文件重定向(如<
)将数据流重定向到stdin
。
#include<iostream>
#include<string>
int main() {
std::string line;
while (std::getline(std::cin, line)) {
std::cout << "Read line: "<< line<< std::endl;
}
return 0;
}
在这个例子中,你可以将文件名作为命令行参数传递给程序,或者使用文件重定向将文件内容传递给程序。例如:
$ my_program< input.txt
这将使程序从input.txt
文件中读取数据,并将每一行输出到控制台。