我有一个bash函数,我想使用gnome终端在新窗口中执行该函数。我该怎么做?我想在我的blah.sh脚本中做这样的事情:
my_func() {
// Do cool stuff
}
gnome-terminal -x my_func
我现在正在做的是将my_func()放入脚本并调用gnome-terminal -x ./my_func
答案 0 :(得分:4)
你可以让它与export -f
一起使用,正如@ kojiro在上面的评论中指出的那样。
# Define function.
my_func() {
// Do cool stuff
}
# Export it, so that all child `bash` processes see it.
export -f my_func
# Invoke gnome-terminal with `bash -c` and the function name, *plus*
# another bash instance to keep the window open.
# NOTE: This is required, because `-c` invariably exits after
# running the specified command.
# CAVEAT: The bash instance that stays open will be a *child* process of the
# one that executed the function - and will thus not have access to any
# non-exported definitions from it.
gnome-terminal -x bash -c 'my_func; bash'
我从https://stackoverflow.com/a/18756584/45375
借用了这项技巧有了一些技巧,你可以不用export -f
,假设运行该函数后保持打开的bash实例本身不需要继承my_func
。
declare -f
返回my_func
的定义(源代码),因此只需在新的bash实例中重新定义它:
gnome-terminal -x bash -c "$(declare -f my_func); my_func; bash"
然后,如果你愿意,你甚至可以在那里挤压export -f
命令:
gnome-terminal -x bash -c "$(declare -f my_func);
export -f my_func; my_func; bash"