57

我有一个Rakefile通常会从命令行调用的 Rake 任务:

rake blog:post Title

我想编写一个多次调用该 Rake 任务的 Ruby 脚本,但我看到的唯一解决方案是使用 ``(反引号)或system.

这样做的正确方法是什么?

4

4 回答 4

44

来自timocracy.com

require 'rake'

def capture_stdout
  s = StringIO.new
  oldstdout = $stdout
  $stdout = s
  yield
  s.string
ensure
  $stdout = oldstdout
end

Rake.application.rake_require 'metric_fetcher', ['../../lib/tasks']
results = capture_stdout {Rake.application['metric_fetcher'].invoke}
于 2008-08-06T15:24:00.787 回答
21

这适用于 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如果您想多次调用,请使用。

于 2013-03-06T22:14:36.513 回答
16

您可以使用invokereenable再次执行该任务。

您的示例调用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')

请用您的 rakefile 替换mytask任务定义blog:postrequire

此解决方案会将结果写入标准输出 - 但您没有提到您想要抑制输出。


有趣的实验:

您也可以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')

结果(使用 rake 10.4.2 测试):

"called mytask (one)"
"called mytask (two)"
于 2012-07-17T10:06:53.430 回答
4

在加载了 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')
于 2017-01-24T22:09:16.420 回答