所以我想尝试做以下事情:
while read line; do
read userInput
echo "$line $userInput"
done < file.txt
所以说file.txt有:
Hello?
Goodbye!
运行程序会创建:
Hello?
James
Hello? James
Goodbye!
Farewell
Goodbye! Farewell
问题(自然地)成为用户输入读取从stdin读取,在我们的例子中是文件.txt。有没有办法改变它从临时读取到终端的位置以获取用户输入?
注意:我正在使用的文件长度为200,000行。每条线长约500个字符。因此,如果需要,请记住这一点
答案 0 :(得分:24)
您可以打开file.txt
到文件描述符(例如3)而不是使用重定向,而是使用read -u 3
从文件而不是stdin
读取:
exec 3<file.txt
while read -u 3 line; do
echo $line
read userInput
echo "$line $userInput"
done
或者,正如Jaypal Singh所建议的那样,这可以写成:
while read line <&3; do
echo $line
read userInput
echo "$line $userInput"
done 3<file.txt
此版本的优势在于它也适用于sh
(-u
的{{1}}选项在read
中无效。)