我想搜索包含所有单词“foo”、“bar”和“baz”的手册页。
如果可能的话,我想搜索所有手册页的所有文本(不仅仅是名称和描述)。
我猜是这样的
man -K foo AND bar AND baz
答案1
我实现了一个脚本来完成这个任务。
if [ $# -eq 0 ]; then
PATTERNS=(NAME AUTHOR EXAMPLES FILES)
else
PATTERNS=( "$@" )
fi
[ ${#PATTERNS[@]} -lt 1 ] && echo "Needs at least 1 pattern to search for" && exit 1
for i in $(find /usr/share/man/ -type f); do
TMPOUT=$(zgrep -l "${PATTERNS[0]}" "$i")
[ -z "$TMPOUT" ] && continue
for c in `seq 1 $((${#PATTERNS[@]}-1))`; do
TMPOUT=$(echo "$TMPOUT" | xargs zgrep -l "${PATTERNS[$c]}")
[ -z "$TMPOUT" ] && break
done
if [ ! -z "$TMPOUT" ]; then
#echo "$TMPOUT" # Prints the whole path
MANNAME="$(basename "$TMPOUT")"
man "${MANNAME%%.*}"
fi
done
我猜这是浪费时间:(
编辑:看起来像
man -K expr1 expr2 expr3
没用?
编辑:您现在可以通过以下方式传递脚本您的搜索词./script foo bar
答案2
关于编写此脚本的一些想法:
用于
manpath
获取手册页的位置。如果我添加/home/graeme/.cabal/bin
到我的PATH
,manpath
(并且man
) 将在 中找到手册页/home/graeme/.cabal/share/man
。在搜索之前使用 man 本身来解压缩和格式化页面,这样您只需搜索 man 文本本身,而不是原始文件中的任何注释等。使用
man
可能会处理多种格式。将格式化的页面保存在临时文件中将避免多次解压缩,并且会显着加快速度。
如下(使用bash
GNU find):
#!/bin/bash
set -f; IFS=:
trap 'rm -f "$temp"' EXIT
temp=$(mktemp --tmpdir search_man.XXXXXXXXXX)
while IFS= read -rd '' file; do
man "$file" >"$temp" 2>/dev/null
unset fail
for arg; do
if ! grep -Fq -- "$arg" "$temp"; then
fail=true
break
fi
done
if [ -z "$fail" ]; then
file=${file##*/}
printf '%s\n' "${file%.gz}"
fi
done < <(find $(manpath) -type d ! -name 'man*' -prune -o -type f -print0)
答案3
不像@polym的答案那么完整,但我会建议类似的东西
while IFS= read -rd $'\0' f; do
zgrep -qwm1 'foo' "$f" && \
zgrep -qwm1 'bar' "$f" && \
zgrep -qwm1 'baz' "$f" && \
printf '%s\n' "$f"
done < <(find /usr/share/man -name '*.gz' -print0)
请注意,我添加了一个-w
(单词匹配)开关greps
这可能不是您想要的(您想要包含像这样的匹配吗?富利什和坚果酒吧?)
答案4
这种方法未经测试,但相当简单(愚蠢的简单),我希望它应该有效,即使效率低下:
#!/bin/bash
if [ "$#" -eq 0 ]; then
echo "Provide arguments to search all man pages for all arguments." >&2
echo "Putting rare search terms first will improve performance." >&2
exit
fi
if [ "$#" -eq 1 ]; then
exec man -K "$@"
fi
pages=( $(man -wK "$1") )
shift
while [ "$#" -gt 1 ]; do
pages=( $(zgrep -l "$1" "${pages[@]}") )
shift
done
exec man "${pages[@]}"