也许有点奇怪-也许还有其他工具可以做到这一点,但是。
我正在使用以下经典bash命令来查找包含某些字符串的所有文件:
find . -type f | xargs grep "something"
我有很多深度的文件。第一次出现“某物”对我来说已经足够了,但是find会继续搜索,并且需要很长时间才能完成其余文件。我想做的是从grep返回查找的“反馈”,以便查找可以停止搜索更多文件。这样的事情可能吗?
也许有点奇怪-也许还有其他工具可以做到这一点,但是。
我正在使用以下经典bash命令来查找包含某些字符串的所有文件:
find . -type f | xargs grep "something"
我有很多深度的文件。第一次出现“某物”对我来说已经足够了,但是find会继续搜索,并且需要很长时间才能完成其余文件。我想做的是从grep返回查找的“反馈”,以便查找可以停止搜索更多文件。这样的事情可能吗?
Answers:
find -type f | xargs grep e | head -1
确实可以做到这一点:当head
终止时,管道的中间元素会收到“管道中断”信号通知,依次终止并通知find
。您应该会看到诸如
xargs: grep: terminated by signal 13
这证实了这一点。
为此,无需更改工具:(我喜欢xargs)
#!/bin/bash
find . -type f |
# xargs -n20 -P20: use 10 parallel processes to grep files in batches of 20
# grep -m1: show just on match per file
# grep --line-buffered: multiple matches from independent grep processes
# will not be interleaved
xargs -P10 -n20 grep -m1 --line-buffered "$1" 2> >(
# Error output (stderr) is redirected to this command.
# We ignore this particular error, and send any others back to stderr.
grep -v '^xargs: .*: terminated by signal 13$' >&2
) |
# Little known fact: all `head` does is send signal 13 after n lines.
head -n 1