微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

从`stdin`读取文件后如何使用`input()`?

如何解决从`stdin`读取文件后如何使用`input()`?

背景

我想要一个简单的脚本,它可以在 Unix/Linux 上选择多个管道输入中的 1 个而不会出现 EOF when reading a line 错误

它试图:

  1. 接受多行管道文本
  2. 等待用户选择一个选项
  3. 将该选项打印到标准输出

预期用途:

$ printf "A\nB" | ./select.py | awk '{print "OUTPUT WAS: " $0}'
Select 0-1:
  0) A
  1) B
> 1
OUTPUT WAS: B

最后的 awk '{print "[OUTPUT WAS] " $0}' 只是为了表明唯一的标准输出应该是选择。

目前的方法

#!/bin/python3
import sys
from collections import OrderedDict

def print_options(options):
    """print the user's options"""
    print(f"Select 0-{len(options)-1}:",file=sys.stderr)
    for n,option in options.items():
        print(f"  {n}) {option}",file=sys.stderr)

def main():
    # options are stored in an ordered dictionary to make order consistent
    options = OrderedDict()
    # read in the possible options one line at a time
    for n,line in enumerate(sys.stdin):
        options[n] = line.rstrip('\n')
        
    valid_selection = False
    # loop until we get a valid selection
    while not valid_selection:
        print_options(options)
        try:
            print('> ',end='',file=sys.stderr)
            selection = int(input()) # <- doesn't block like it should
            # use the selection to extract the output that will be printed
            output = options[selection]
            valid_selection = True
        except Exception as e:
            print(f"Invalid selection. {e}",file=sys.stderr)
                
    print(output)

if __name__ == '__main__':
    main()

错误

脚本陷入无限循环打印:

...
> Invalid selection. EOF when reading a line
Select 0-1:
  0) A
  1) B
> Invalid selection. EOF when reading a line
Select 0-1:
  0) A
  1) B
> Invalid selection. EOF when reading a line
...

重现错误的最小脚本:

#!/bin/python3
import sys

options = []
# read in the possible options one line at a time
for line in sys.stdin:
    options.append(line.rstrip('\n'))
    
user_input = input('> ')
            
print(user_input)

这会抛出:

EOFError: EOF when reading a line

当我想查看和输入时:

$ printf "text" | ./testscript.py
> sometext
sometext

所需的解决方案:

我认为这是因为标准输入已达到 EOF。但我的问题是如何重置/消除 EOF 的影响,以便 input() 再次像往常一样阻止并等待用户

简而言之:input()读取文件后如何使用stdin

如果这是不可能的,as this answer implies,有什么优雅的解决方案可以获得与我在这个问题开头所描述的行为类似的行为?我对非 Python 解决方案持开放态度(例如 bash|zsh、rust、awk、perl)。

解决方法

我可以回答您关于 Linux/Unix 操作系统的问题。抱歉,我不使用 Windows。

我在您的示例代码中添加了两行,见下文。

特殊设备 /dev/tty 已连接到您的终端。除非重定向,否则它是您的标准输入/输出。基本上你想恢复你的标准输入连接到你的终端的状态。在底层,它使用文件描述符 0。close 关闭它,open 获取第一个空闲的,在这种情况下是 0。

import sys 

options = []
# read in the possible options one line at a time
for line in sys.stdin:
    options.append(line.rstrip('\n'))

# restore input from the terminal   
sys.stdin.close()
sys.stdin=open('/dev/tty')

user_input = input('> ')
                 
print(user_input)
,

VPfB's answer 是我所需要的,这是最终的脚本,以防有人想使用它。

用法

$ printf "A\nB\nC" | ./select.py | awk '{print "Selected: " $0}'
Select 0-1:
  0) A
  1) B
  2) C
> 2 <- your input
Selected: C

完整解决方案

#!/bin/python3
"""
A simple script to allow selecting 1 of multiple piped inputs. 

Usage: 
printf "A\nB" | ./choose.py

If your input is space separated,make sure to convert with: 
printf "A B" | sed 's+ +\n+g' | ./choose.py

Source: https://stackoverflow.com/a/66143667/7872793
"""
import sys
from collections import OrderedDict

def print_options(options):
    """print the user's options"""
    print(f"Select 0-{len(options)-1}:",file=sys.stderr)
    for n,option in options.items():
        print(f"  {n}) {option}",file=sys.stderr)

def select_loop(options):
    valid_selection = False
    # loop until we get a valid selection
    while not valid_selection:
        print_options(options)
        try:
            print('> ',end='',file=sys.stderr)
            selection = int(input())
            # use the selection to extract the output that will be printed
            output = options[selection]
            valid_selection = True
        except Exception as e:
            print(f"Invalid selection. {e}",file=sys.stderr)
            
    return output

def main():
    # options are stored in an ordered dictionary to fix iteration output
    options = OrderedDict()
    # read in the possible options one line at a time
    for n,line in enumerate(sys.stdin):
        options[n] = line.rstrip('\n')
        
    # restore input from the terminal
    sys.stdin.close()
    sys.stdin=open('/dev/tty')
        
    # if only one option is given,use it immediately
    output = options[0] if len(options) == 1 else select_loop(options)
    print(output)

if __name__ == '__main__':
    main()

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。