在實際項目中,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
文件中讀取數據,并將每一行輸出到控制臺。