Invoking bash aliases in rake

我的梦境 提交于 2019-12-19 08:18:11

问题


I have the following command in my .bashrc:

alias mfigpdf='for FIG in *.fig; do fig2dev -L pdftex "$FIG" "${FIG%.*}.pdftex"; done;
                 for FIG in *.fig; do fig2dev -L pstex_t -p "${FIG%.*}.pdftex" "$FIG" "${FIG%.*}.pdftex_t"; done'

And I want to execute the 'mfigpdf' command in my Rakefile:

desc "convert all images to pdftex (or png)"
task :pdf do
  sh "mfigpdf"
  system "mfigpdf"
end

But none of theses tasks is working. I could just copy the command in the rakefile of insert it in a shellscript file, but than I have duplicated code.

Thanks for your help!

Matthias


回答1:


There are three problems here:

  • You need to source ~/.profile, or wherever your aliases are stored, in the subshell.
  • You need to call shopt -s expand_aliases to enable aliases in a non-interactive shell.
  • You need to do both of these on a separate line from the actual call to the alias. (For some reason, setting expand_aliases doesn't work for aliases on the same line of input, even if you use semicolons. See this answer.)

So:

system %{
  source ~/.profile
  shopt -s expand_aliases
  mfigpdf
}

Should work.

However, I would recommend using a bash function rather than an alias. So your bash would be:

function mfigpdf() {
  for FIG in *.fig; do
    fig2dev -L pdftex "$FIG" "${FIG%.*}.pdftex"
  done
  for FIG in *.fig; do
    fig2dev -L pstex_t -p "${FIG%.*}.pdftex" "$FIG" "${FIG%.*}.pdftex_t"
  done
}

And your ruby:

system 'source ~/.profile; mfigpdf'

The function will behave basically the same way as the alias in an interactive shell, and will be easier to call in a non-interactive shell.




回答2:


sh mfigpdf will try to run a shell script with that name, you have to use sh -c mfigpdf instead.

You also have to force bash into "interactive shell" mode with the -i flag in order to enable alias expansion and to load ~/.bashrc.

sh "bash -ci 'mfigpdf'"

You can replace your alias with a bash function. Functions are also expanded in non-interactive mode, so you could just source ~/.bashrc instead:

sh "bash -c '. ~/.bashrc ; mfigpdf'"



回答3:


You have to source your .bashrc to load that aliases, but I think ruby runs on sh that doesnt use the source command but the '.' command.I believe this should work:

`. /path/to/.bashrc `



来源:https://stackoverflow.com/questions/4978564/invoking-bash-aliases-in-rake

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!