有没有办法找到执行我在shell中定义的函数?
例如:
dosomething () {
echo "Doing something with $1"
}
find . -exec dosomething {} \;
其结果是:
find: dosomething: No such file or directory
有没有办法让find's -exec看到做某事?
有没有办法找到执行我在shell中定义的函数?
例如:
dosomething () {
echo "Doing something with $1"
}
find . -exec dosomething {} \;
其结果是:
find: dosomething: No such file or directory
有没有办法让find's -exec看到做某事?
当前回答
对于那些正在寻找一个Bash函数,将在当前目录下的所有文件上执行给定命令的人,我从上面的答案中编译了一个:
toall(){
find . -type f | while read file; do "$1" "$file"; done
}
注意,它不使用包含空格的文件名(见下文)。
以这个函数为例:
world(){
sed -i 's_hello_world_g' "$1"
}
假设我想在当前目录的所有文件中将“hello”的所有实例更改为“world”。我会这样做:
toall world
为了确保文件名中的符号安全,请使用:
toall(){
find . -type f -print0 | while IFS= read -r -d '' file; do "$1" "$file"; done
}
(但是你需要一个处理-print0的find,例如GNU find)。
其他回答
在{}中添加引号,如下所示:
export -f dosomething
find . -exec bash -c 'dosomething "{}"' \;
这将纠正由于find返回的特殊字符而导致的任何错误, 例如文件名中带有圆括号的文件。
对于那些正在寻找一个Bash函数,将在当前目录下的所有文件上执行给定命令的人,我从上面的答案中编译了一个:
toall(){
find . -type f | while read file; do "$1" "$file"; done
}
注意,它不使用包含空格的文件名(见下文)。
以这个函数为例:
world(){
sed -i 's_hello_world_g' "$1"
}
假设我想在当前目录的所有文件中将“hello”的所有实例更改为“world”。我会这样做:
toall world
为了确保文件名中的符号安全,请使用:
toall(){
find . -type f -print0 | while IFS= read -r -d '' file; do "$1" "$file"; done
}
(但是你需要一个处理-print0的find,例如GNU find)。
把函数放在一个单独的文件中,然后get find来执行它。
Shell函数在定义它们的Shell内部;Find永远也看不到他们。
因为只有shell知道如何运行shell函数,所以必须运行shell才能运行函数。你还需要用export -f标记你的export函数,否则子shell不会继承它们:
export -f dosomething
find . -exec bash -c 'dosomething "$0"' {} \;
find . | while read file; do dosomething "$file"; done