如何在Ruby脚本中运行Rake任务?
我有Rake任务,我通常会从命令行调用一个Rakefile
:
rake blog:post Title
我想写一个Ruby脚本多次调用Rake任务,但是我看到的唯一解决scheme是使用“(反引号)或system
脱壳。
什么是正确的方法来做到这一点?
来自timocracy.com :
require 'rake' require 'rake/rdoctask' require 'rake/testtask' require 'tasks/rails' def capture_stdout s = StringIO.new oldstdout = $stdout $stdout = s yield s.string ensure $stdout = oldstdout end Rake.application.rake_require '../../lib/tasks/metric_fetcher' results = capture_stdout {Rake.application['metric_fetcher'].invoke}
这适用于Rake版本10.0.3:
require 'rake' app = Rake.application app.init # do this as many times as needed app.add_import 'some/other/file.rake' # this loads the Rakefile and other imports app.load_rakefile app['sometask'].invoke
正如knut所说,如果要多次调用,请使用reenable
。
您可以使用invoke
并reenable
第二次执行该任务。
您的示例调用rake blog:post Title
似乎有一个参数。 该参数可以用作invoke
的参数:
例:
require 'rake' task 'mytask', :title do |tsk, args| p "called #{tsk} (#{args[:title]})" end Rake.application['mytask'].invoke('one') Rake.application['mytask'].reenable Rake.application['mytask'].invoke('two')
请用blog:post
replacemytask
blog:post
,而不是任务定义,你可以require
你的rakefile。
这个解决scheme将结果写入标准输出 – 但你没有提到,你想压制输出。
有趣的实验:
您也可以在任务定义中调用reenable
。 这允许任务重新启用自己。
例:
require 'rake' task 'mytask', :title do |tsk, args| p "called #{tsk} (#{args[:title]})" tsk.reenable #<-- HERE end Rake.application['mytask'].invoke('one') Rake.application['mytask'].invoke('two')
结果(用耙测10.4.2):
"called mytask (one)" "called mytask (two)"
在加载Rails的脚本中(例如rails runner script.rb
)
def rake(*tasks) tasks.each do |task| Rake.application[task].tap(&:invoke).tap(&:reenable) end end rake('db:migrate', 'cache:clear', 'cache:warmup')