如何编写代码以通过 Resque 失败队列并有选择地删除作业?现在,我在那里遇到了一些重要的失败,散布在重复运行的失控工作的数千次失败之间。我想删除失控作业生成的那些。我熟悉的唯一 API 是用于排队作业。(我会继续 RTFMing,但我有点着急。)
问问题
3627 次
3 回答
8
我需要这样做:
# loop over all failure indices, instantiating as needed
(Resque::Failure.count-1).downto(0).each do |error_index_number|
failure = Resque::Failure.all(error_index_number)
# here :failure is the hash that has all the data about the failed job, perform any check you need here
if failure["error"][/regex_identifying_runaway_job/].present?
Resque::Failure.remove(error_index_number)
# or
# Resque::Failure.requeue(error_index_number)
end
正如@Winfield 提到的,看看Resque 的失败后端很有用。
于 2017-03-14T15:14:55.600 回答
6
您可以按照您要求的方式手动修改故障队列,但最好编写一个自定义故障处理程序,以便在作业失败时删除/重新排队作业。
您可以在此处找到基本故障后端,并在此处找到将失败作业记录到 Hoptoad 异常跟踪服务的实现。
例如:
module Resque
module Failure
class RemoveRunaways < Base
def save
i=0
while job = Resque::Failure.all(i)
# Selectively remove all MyRunawayJobs from failure queue whenever they fail
if job.fetch('payload').fetch('class') == 'MyRunawayJob'
remove(i)
else
i = i + 1
end
end
end
end
end
end
编辑:忘了提到如何指定这个后端来处理失败。
在您的 Resque 初始化程序中(例如:config/initializers/resque.rb):
# Use Resque Multi failure handler: standard handler and your custom handler
Resque::Failure::Multiple.classes = [Resque::Failure::Redis, Resque::Failure::RemoveRunaways]
Resque::Failure.backend = Resque::Failure::Multiple
于 2013-01-30T18:26:26.730 回答
0
使用 bool 函数示例删除
我使用了高阶函数方法,它评估删除失败
def remove_failures(should_remove_failure_func)
(Resque::Failure.count-1).downto(0).each do |i|
failure = Resque::Failure.all(i)
Resque::Failure.remove(i) if should_remove_failure_func.call(failure)
end
end
def remove_failed_validation_jobs
has_failed_for_validation_reason = -> (failure) do
failure["error"] == "Validation failed: Example has already been taken"
end
remove_failures(has_failed_for_validation_reason)
end
于 2021-01-30T19:36:43.110 回答