30

Say I have a command foo which takes a filename argument: foo myfile.txt. Annoyingly, foo doesn't read from standard input. Instead of an actual file, I'd like to pass it the result of another command (in reality, pv, which will cat the file and output a progress meter as a side effect).

Is there a way to make this happen? Nothing in my bag of tricks seems to do it.

(foo in this case is a PHP script which I believe processes the file sequentially).

I'm using Ubuntu and Bash

EDIT Sorry for the slightly unclear problem description, but here's the answer that does what I want:

pv longfile.txt | foo /dev/stdin

Very obvious now that I see it.

5 Answers5

30

If I understand what you want to do properly, you can do it with bash's command substitution feature:

foo <(somecommand | pv)

This does something similar to what the mkfifo-based answers suggest, except that bash handles the details for you (and it winds up passing something like /dev/fd/63 to the command, rather than a regular named pipe). You might also be able to do it even more directly like this:

somecommand | pv | foo /dev/stdin
3
ARRAY=(`pv whatever`); for FILE in $ARRAY; do foo $FILE; done
Hyppy
  • 15,814
2

This Unix SE question has a an answer that shows how to create a temporary named pipe:

Shell Script mktemp, what's the best method to create temporary named pipe?

Based on the answers there, you could do something like the following:

tmppipe=$(mktemp -u)
mkfifo -m 600 "$tmppipe"
pv examplefile > $tmppipe

You could then watch the pipe with:

foo $tmppipe

Then delete it when you're done with it.

Dave Forgac
  • 3,636
1

Try using mkfifo.

mkfifo file_read_by_foo; pv ... > file_read_by_foo 

In another shell, run foo file_read_by_foo

0

xargs seems to work well for this:

echo longfile.txt | xargs pv
MadHatter
  • 81,580