How do I check if stdin has some data?
In Python, how do you check if sys.stdin
has data or not?
I found that os.isatty(0)
can not only check if stdin is connected to a TTY device, but also if there is data available.
But if someone uses code such as
sys.stdin = cStringIO.StringIO("ddd")
and after that uses os.isatty(0)
, it still returns True. What do I need to do to check if stdin has data?
Solution 1:
On Unix systems you can do the following:
import sys
import select
if select.select([sys.stdin, ], [], [], 0.0)[0]:
print("Have data!")
else:
print("No data")
On Windows the select module may only be used with sockets though so you'd need to use an alternative mechanism.
Solution 2:
I've been using
if not sys.stdin.isatty()
Here's an example:
import sys
def main():
if not sys.stdin.isatty():
print "not sys.stdin.isatty"
else:
print "is sys.stdin.isatty"
Running
$ echo "asdf" | stdin.py
not sys.stdin.isatty
sys.stdin.isatty()
returns false if stdin
is not connected to an interactive input device (e.g. a tty).
isatty(...)
isatty() -> true or false. True if the file is connected to a tty device.
Solution 3:
Depending on the goal here:
import fileinput
for line in fileinput.input():
do_something(line)
can also be useful.
Solution 4:
As mentioned by others, there's no foolproof way to know if data will become available from stdin, because UNIX doesn't allow it (and more generally because it can't guess the future behavior of whatever program stdin connects to).
Always wait for stdin, even if there may be nothing (that's what grep
etc. do), or ask the user for a -
argument.
Solution 5:
Saw a lot of answers above, in which almost all the answers required either sys, select, os, etc. However, I got a very simple idea about how continuously to take input from stdin if it has data. We can use try, except block to do so. as,
while(1):
try:
inp = input()
except:
break
The above loop will run and we are checking for input continuously and storing the input in variable "inp", if there is no input in the stdin then try will throw an error however in except block break statement is present, so the while loop will be terminated