mypunchbowl-delayed_job 1.8.0

Sign up to get free protection for your applications and to get access to all the features.
@@ -0,0 +1,20 @@
1
+ Copyright (c) 2005 Tobias Luetke
2
+
3
+ Permission is hereby granted, free of charge, to any person obtaining
4
+ a copy of this software and associated documentation files (the
5
+ "Software"), to deal in the Software without restriction, including
6
+ without limitation the rights to use, copy, modify, merge, publish,
7
+ distribute, sublicense, and/or sell copies of the Software, and to
8
+ permit persons to whom the Software is furnished to do so, subject to
9
+ the following conditions:
10
+
11
+ The above copyright notice and this permission notice shall be
12
+ included in all copies or substantial portions of the Software.
13
+
14
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
15
+ EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
16
+ MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOa AND
17
+ NONINFRINGEMENT. IN NO EVENT SaALL THE AUTHORS OR COPYRIGHT HOLDERS BE
18
+ LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
19
+ OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
20
+ WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
@@ -0,0 +1,110 @@
1
+ h1. Delayed::Job
2
+
3
+ Delated_job (or DJ) encapsulates the common pattern of asynchronously executing longer tasks in the background.
4
+
5
+ It is a direct extraction from Shopify where the job table is responsible for a multitude of core tasks. Amongst those tasks are:
6
+
7
+ * sending massive newsletters
8
+ * image resizing
9
+ * http downloads
10
+ * updating smart collections
11
+ * updating solr, our search server, after product changes
12
+ * batch imports
13
+ * spam checks
14
+
15
+ h2. Setup
16
+
17
+ The library evolves around a delayed_jobs table which looks as follows:
18
+
19
+ create_table :delayed_jobs, :force => true do |table|
20
+ table.integer :priority, :default => 0 # Allows some jobs to jump to the front of the queue
21
+ table.integer :attempts, :default => 0 # Provides for retries, but still fail eventually.
22
+ table.text :handler # YAML-encoded string of the object that will do work
23
+ table.string :last_error # reason for last failure (See Note below)
24
+ table.datetime :run_at # When to run. Could be Time.now for immediately, or sometime in the future.
25
+ table.datetime :locked_at # Set when a client is working on this object
26
+ table.datetime :failed_at # Set when all retries have failed (actually, by default, the record is deleted instead)
27
+ table.string :locked_by # Who is working on this object (if locked)
28
+ table.timestamps
29
+ end
30
+
31
+ On failure, the job is scheduled again in 5 seconds + N ** 4, where N is the number of retries.
32
+
33
+ The default MAX_ATTEMPTS is 25. After this, the job either deleted (default), or left in the database with "failed_at" set.
34
+ With the default of 25 attempts, the last retry will be 20 days later, with the last interval being almost 100 hours.
35
+
36
+ The default MAX_RUN_TIME is 4.hours. If your job takes longer than that, another computer could pick it up. It's up to you to
37
+ make sure your job doesn't exceed this time. You should set this to the longest time you think the job could take.
38
+
39
+ By default, it will delete failed jobs (and it always deletes successful jobs). If you want to keep failed jobs, set
40
+ Delayed::Job.destroy_failed_jobs = false. The failed jobs will be marked with non-null failed_at.
41
+
42
+ Here is an example of changing job parameters in Rails:
43
+
44
+ # config/initializers/delayed_job_config.rb
45
+ Delayed::Job.destroy_failed_jobs = false
46
+ silence_warnings do
47
+ Delayed::Job.const_set("MAX_ATTEMPTS", 3)
48
+ Delayed::Job.const_set("MAX_RUN_TIME", 5.minutes)
49
+ end
50
+
51
+ Note: If your error messages are long, consider changing last_error field to a :text instead of a :string (255 character limit).
52
+
53
+
54
+ h2. Usage
55
+
56
+ Jobs are simple ruby objects with a method called perform. Any object which responds to perform can be stuffed into the jobs table.
57
+ Job objects are serialized to yaml so that they can later be resurrected by the job runner.
58
+
59
+ class NewsletterJob < Struct.new(:text, :emails)
60
+ def perform
61
+ emails.each { |e| NewsletterMailer.deliver_text_to_email(text, e) }
62
+ end
63
+ end
64
+
65
+ Delayed::Job.enqueue NewsletterJob.new('lorem ipsum...', Customers.find(:all).collect(&:email))
66
+
67
+ There is also a second way to get jobs in the queue: send_later.
68
+
69
+
70
+ BatchImporter.new(Shop.find(1)).send_later(:import_massive_csv, massive_csv)
71
+
72
+
73
+ This will simply create a Delayed::PerformableMethod job in the jobs table which serializes all the parameters you pass to it. There are some special smarts for active record objects
74
+ which are stored as their text representation and loaded from the database fresh when the job is actually run later.
75
+
76
+
77
+ h2. Running the jobs
78
+
79
+ You can invoke @rake jobs:work@ which will start working off jobs. You can cancel the rake task with @CTRL-C@.
80
+
81
+ You can also run by writing a simple @script/job_runner@, and invoking it externally:
82
+
83
+ <pre><code>
84
+ #!/usr/bin/env ruby
85
+ require File.dirname(__FILE__) + '/../config/environment'
86
+
87
+ Delayed::Worker.new.start
88
+ </code></pre>
89
+
90
+ Workers can be running on any computer, as long as they have access to the database and their clock is in sync. You can even
91
+ run multiple workers on per computer, but you must give each one a unique name. (TODO: put in an example)
92
+ Keep in mind that each worker will check the database at least every 5 seconds.
93
+
94
+ Note: The rake task will exit if the database has any network connectivity problems.
95
+
96
+ h3. Cleaning up
97
+
98
+ You can invoke @rake jobs:clear@ to delete all jobs in the queue.
99
+
100
+ h3. Changes
101
+
102
+ * 1.7.0: Added failed_at column which can optionally be set after a certain amount of failed job attempts. By default failed job attempts are destroyed after about a month.
103
+
104
+ * 1.6.0: Renamed locked_until to locked_at. We now store when we start a given job instead of how long it will be locked by the worker. This allows us to get a reading on how long a job took to execute.
105
+
106
+ * 1.5.0: Job runners can now be run in parallel. Two new database columns are needed: locked_until and locked_by. This allows us to use pessimistic locking instead of relying on row level locks. This enables us to run as many worker processes as we need to speed up queue processing.
107
+
108
+ * 1.2.0: Added #send_later to Object for simpler job creation
109
+
110
+ * 1.0.0: Initial release
@@ -0,0 +1,41 @@
1
+ #version = File.read('README.textile').scan(/^\*\s+([\d\.]+)/).flatten
2
+
3
+ Gem::Specification.new do |s|
4
+ s.name = "delayed_job"
5
+ s.version = "1.8.0"
6
+ s.date = "2009-08-17"
7
+ s.summary = "Database-backed asynchronous priority queue system -- Extracted from Shopify -- modified by MyPunchbowl"
8
+ s.email = "dev@punchbowlsoftware.com"
9
+ s.homepage = "http://github.com/mypunchbowl/delayed_job/tree/master"
10
+ s.description = "Delated_job (or DJ) encapsulates the common pattern of asynchronously executing longer tasks in the background. It is a direct extraction from Shopify where the job table is responsible for a multitude of core tasks."
11
+ s.authors = ["Tobias Lütke", "Ryan Angilly"]
12
+
13
+ # s.bindir = "bin"
14
+ # s.executables = ["delayed_job"]
15
+ # s.default_executable = "delayed_job"
16
+
17
+ s.has_rdoc = false
18
+ s.rdoc_options = ["--main", "README.textile"]
19
+ s.extra_rdoc_files = ["README.textile"]
20
+
21
+ # run git ls-files to get an updated list
22
+ s.files = %w[
23
+ MIT-LICENSE
24
+ README.textile
25
+ delayed_job.gemspec
26
+ init.rb
27
+ lib/delayed/job.rb
28
+ lib/delayed/message_sending.rb
29
+ lib/delayed/performable_method.rb
30
+ lib/delayed/worker.rb
31
+ lib/delayed_job.rb
32
+ tasks/jobs.rake
33
+ tasks/tasks.rb
34
+ ]
35
+ s.test_files = %w[
36
+ spec/database.rb
37
+ spec/delayed_method_spec.rb
38
+ spec/job_spec.rb
39
+ spec/story_spec.rb
40
+ ]
41
+ end
data/init.rb ADDED
@@ -0,0 +1 @@
1
+ require File.dirname(__FILE__) + '/lib/delayed_job'
@@ -0,0 +1,321 @@
1
+ module Delayed
2
+
3
+ class DeserializationError < StandardError
4
+ end
5
+
6
+ # A job object that is persisted to the database.
7
+ # Contains the work object as a YAML field.
8
+ class Job < ActiveRecord::Base
9
+ MAX_ATTEMPTS = 25
10
+ MAX_RUN_TIME = 4.hours
11
+ set_table_name :delayed_jobs
12
+
13
+ # By default failed jobs are destroyed after too many attempts.
14
+ # If you want to keep them around (perhaps to inspect the reason
15
+ # for the failure), set this to false.
16
+ cattr_accessor :destroy_failed_jobs
17
+ self.destroy_failed_jobs = true
18
+
19
+ cattr_accessor :destroy_completed_jobs
20
+ self.destroy_completed_jobs = true
21
+
22
+ # Every worker has a unique name which by default is the pid of the process.
23
+ # There are some advantages to overriding this with something which survives worker retarts:
24
+ # Workers can safely resume working on tasks which are locked by themselves. The worker will assume that it crashed before.
25
+ cattr_accessor :worker_name
26
+ self.worker_name = "host:#{Socket.gethostname} pid:#{Process.pid}" rescue "pid:#{Process.pid}"
27
+
28
+ NextTaskSQL = 'completed = ? AND (run_at <= ? AND (locked_at IS NULL OR locked_at < ?) OR (locked_by = ?)) AND failed_at IS NULL'
29
+ NextTaskOrder = 'priority DESC, run_at ASC'
30
+
31
+ ParseObjectFromYaml = /\!ruby\/\w+\:([^\s]+)/
32
+
33
+ cattr_accessor :min_priority, :max_priority
34
+ self.min_priority = nil
35
+ self.max_priority = nil
36
+
37
+ # When a worker is exiting, make sure we don't have any locked jobs.
38
+ def self.clear_locks!
39
+ update_all("locked_by = null, locked_at = null", ["locked_by = ?", worker_name])
40
+ end
41
+
42
+ def failed?
43
+ failed_at
44
+ end
45
+ alias_method :failed, :failed?
46
+
47
+ def payload_object
48
+ @payload_object ||= deserialize(self['handler'])
49
+ end
50
+
51
+ def name
52
+ @name ||= begin
53
+ payload = payload_object
54
+ if payload.respond_to?(:display_name)
55
+ payload.display_name
56
+ else
57
+ payload.class.name
58
+ end
59
+ end
60
+ end
61
+
62
+ def payload_object=(object)
63
+ self['handler'] = object.to_yaml
64
+ end
65
+
66
+ # Reschedule the job in the future (when a job fails).
67
+ # Uses an exponential scale depending on the number of failed attempts.
68
+ def reschedule(message, backtrace = [], time = nil)
69
+ if self.attempts < MAX_ATTEMPTS
70
+ time ||= Job.db_time_now + (attempts ** 4) + 5
71
+
72
+ self.attempts += 1
73
+ self.run_at = time
74
+ self.last_error = message + "\n" + backtrace.join("\n")
75
+ self.unlock
76
+ save!
77
+ else
78
+ logger.info "* [JOB] PERMANENTLY removing #{self.name} because of #{attempts} consequetive failures."
79
+ destroy_failed_jobs ? destroy : update_attribute(:failed_at, Time.now)
80
+ end
81
+ end
82
+
83
+
84
+ # Try to run one job. Returns true/false (work done/work failed) or nil if job can't be locked.
85
+ def run_with_lock(max_run_time, worker_name)
86
+ logger.info "* [JOB] aquiring lock on #{name}"
87
+ unless lock_exclusively!(max_run_time, worker_name)
88
+ # We did not get the lock, some other worker process must have
89
+ logger.warn "* [JOB] failed to aquire exclusive lock for #{name}"
90
+ return nil # no work done
91
+ end
92
+
93
+ begin
94
+ runtime = Benchmark.realtime do
95
+ invoke_job # TODO: raise error if takes longer than max_run_time
96
+ if destroy_completed_jobs
97
+ destroy
98
+ else
99
+ self.completed = true
100
+ save
101
+ end
102
+ end
103
+ # TODO: warn if runtime > max_run_time ?
104
+ logger.info "* [JOB] #{name} completed after %.4f" % runtime
105
+ return true # did work
106
+ rescue Exception => e
107
+ reschedule e.message, e.backtrace
108
+ log_exception(e)
109
+ return false # work failed
110
+ end
111
+ end
112
+
113
+ # Add a job to the queue
114
+ def self.enqueue(*args, &block)
115
+ object = block_given? ? EvaledJob.new(&block) : args.shift
116
+
117
+ unless object.respond_to?(:perform) || block_given?
118
+ raise ArgumentError, 'Cannot enqueue items which do not respond to perform'
119
+ end
120
+
121
+ priority = args.first || 0
122
+ run_at = args[1]
123
+
124
+ Job.create!(:payload_object => object, :priority => priority.to_i, :run_at => run_at)
125
+ end
126
+
127
+ def self.enqueue_for(owned_by, *args, &block)
128
+ object = block_given? ? EvaledJob.new(&block) : args.shift
129
+
130
+ owner_key = self.owner_key_for(owned_by)
131
+
132
+ priority = args.first || 0
133
+ run_at = args[1]
134
+
135
+ Job.create!(:payload_object => object, :priority => priority.to_i, :run_at => run_at,
136
+ :owner => owner_key)
137
+ end
138
+
139
+ def self.owner_key_for(owned_by)
140
+ case owned_by
141
+ when String
142
+ owned_by
143
+ when ActiveRecord::Base
144
+ raise(ArgumentError, 'Owner cannot be a new_record') if owned_by.new_record?
145
+ "#{owned_by.class}_#{owned_by.id}"
146
+ else
147
+ raise ArgumentError, 'Only strings and descendants of ActiveRecord::Base are allowed'
148
+ end
149
+ end
150
+
151
+ # Find a few candidate jobs to run (in case some immediately get locked by others).
152
+ # Return in random order prevent everyone trying to do same head job at once.
153
+ def self.find_available(limit = 5, max_run_time = MAX_RUN_TIME)
154
+
155
+ time_now = db_time_now
156
+
157
+ sql = NextTaskSQL.dup
158
+
159
+ conditions = [false, time_now, time_now - max_run_time, worker_name]
160
+
161
+ if self.min_priority
162
+ sql << ' AND (priority >= ?)'
163
+ conditions << min_priority
164
+ end
165
+
166
+ if self.max_priority
167
+ sql << ' AND (priority <= ?)'
168
+ conditions << max_priority
169
+ end
170
+
171
+ conditions.unshift(sql)
172
+
173
+ records = ActiveRecord::Base.silence do
174
+ find(:all, :conditions => conditions, :order => NextTaskOrder, :limit => limit)
175
+ end
176
+
177
+ records.sort_by { rand() }
178
+ end
179
+
180
+ # Run the next job we can get an exclusive lock on.
181
+ # If no jobs are left we return nil
182
+ def self.reserve_and_run_one_job(max_run_time = MAX_RUN_TIME)
183
+
184
+ # We get up to 5 jobs from the db. In case we cannot get exclusive access to a job we try the next.
185
+ # this leads to a more even distribution of jobs across the worker processes
186
+ find_available(5, max_run_time).each do |job|
187
+ t = job.run_with_lock(max_run_time, worker_name)
188
+ return t unless t == nil # return if we did work (good or bad)
189
+ end
190
+
191
+ nil # we didn't do any work, all 5 were not lockable
192
+ end
193
+
194
+ # Lock this job for this worker.
195
+ # Returns true if we have the lock, false otherwise.
196
+ def lock_exclusively!(max_run_time, worker = worker_name)
197
+ now = self.class.db_time_now
198
+ affected_rows = if locked_by != worker
199
+ # We don't own this job so we will update the locked_by name and the locked_at
200
+ self.class.update_all(["locked_at = ?, locked_by = ?", now, worker], ["id = ? and (locked_at is null or locked_at < ?)", id, (now - max_run_time.to_i)])
201
+ else
202
+ # We already own this job, this may happen if the job queue crashes.
203
+ # Simply resume and update the locked_at
204
+ self.class.update_all(["locked_at = ?", now], ["id = ? and locked_by = ?", id, worker])
205
+ end
206
+ if affected_rows == 1
207
+ self.locked_at = now
208
+ self.locked_by = worker
209
+ return true
210
+ else
211
+ return false
212
+ end
213
+ end
214
+
215
+ # Unlock this job (note: not saved to DB)
216
+ def unlock
217
+ self.locked_at = nil
218
+ self.locked_by = nil
219
+ end
220
+
221
+ # This is a good hook if you need to report job processing errors in additional or different ways
222
+ def log_exception(error)
223
+ logger.error "* [JOB] #{name} failed with #{error.class.name}: #{error.message} - #{attempts} failed attempts"
224
+ logger.error(error)
225
+ end
226
+
227
+ # Do num jobs and return stats on success/failure.
228
+ # Exit early if interrupted.
229
+ def self.work_off(num = 100)
230
+ success, failure = 0, 0
231
+
232
+ num.times do
233
+ case self.reserve_and_run_one_job
234
+ when true
235
+ success += 1
236
+ when false
237
+ failure += 1
238
+ else
239
+ break # leave if no work could be done
240
+ end
241
+ break if $exit # leave if we're exiting
242
+ end
243
+
244
+ return [success, failure]
245
+ end
246
+
247
+ # Moved into its own method so that new_relic can trace it.
248
+ def invoke_job
249
+ res = payload_object.perform
250
+
251
+ if res.respond_to? :to_yaml
252
+ self.result = res.to_yaml
253
+ else
254
+ logger.info "* [JOB] res does not respond to #to_yaml"
255
+ end
256
+ end
257
+
258
+ private
259
+
260
+ def deserialize(source)
261
+ handler = YAML.load(source) rescue nil
262
+
263
+ unless handler.respond_to?(:perform)
264
+ if handler.nil? && source =~ ParseObjectFromYaml
265
+ handler_class = $1
266
+ end
267
+ attempt_to_load(handler_class || handler.class)
268
+ handler = YAML.load(source)
269
+ end
270
+
271
+ return handler if handler.respond_to?(:perform)
272
+
273
+ raise DeserializationError,
274
+ 'Job failed to load: Unknown handler. Try to manually require the appropiate file.'
275
+ rescue TypeError, LoadError, NameError => e
276
+ raise DeserializationError,
277
+ "Job failed to load: #{e.message}. Try to manually require the required file."
278
+ end
279
+
280
+ # Constantize the object so that ActiveSupport can attempt
281
+ # its auto loading magic. Will raise LoadError if not successful.
282
+ def attempt_to_load(klass)
283
+ klass.constantize
284
+ end
285
+
286
+ # Get the current time (GMT or local depending on DB)
287
+ # Note: This does not ping the DB to get the time, so all your clients
288
+ # must have syncronized clocks.
289
+ def self.db_time_now
290
+ (ActiveRecord::Base.default_timezone == :utc) ? Time.now.utc : Time.now
291
+ end
292
+
293
+ protected
294
+
295
+ def before_save
296
+ self.run_at ||= self.class.db_time_now
297
+ end
298
+
299
+ if !defined?(logger)
300
+ def logger
301
+ StdoutLogger.new
302
+ end
303
+ end
304
+ end
305
+
306
+ class EvaledJob
307
+ def initialize
308
+ @job = yield
309
+ end
310
+
311
+ def perform
312
+ eval(@job)
313
+ end
314
+ end
315
+ end
316
+
317
+ class StdoutLogger
318
+ def method_missing(*args, &block)
319
+ puts *args[1..-1]
320
+ end
321
+ end
@@ -0,0 +1,21 @@
1
+ module Delayed
2
+ module MessageSending
3
+ def send_later(method, *args)
4
+ Delayed::Job.enqueue Delayed::PerformableMethod.new(self, method.to_sym, args)
5
+ end
6
+
7
+ def private_job(owner, method, *args)
8
+ Delayed::Job.enqueue_for owner, Delayed::PerformableMethod.new(self, method.to_sym, args)
9
+ end
10
+
11
+ module ClassMethods
12
+ def handle_asynchronously(method)
13
+ without_name = "#{method}_without_send_later"
14
+ define_method("#{method}_with_send_later") do |*args|
15
+ send_later(without_name, *args)
16
+ end
17
+ alias_method_chain method, :send_later
18
+ end
19
+ end
20
+ end
21
+ end
@@ -0,0 +1,55 @@
1
+ module Delayed
2
+ class PerformableMethod < Struct.new(:object, :method, :args, :owner)
3
+ CLASS_STRING_FORMAT = /^CLASS\:([A-Z][\w\:]+)$/
4
+ AR_STRING_FORMAT = /^AR\:([A-Z][\w\:]+)\:(\d+)$/
5
+
6
+ def initialize(object, method, args)
7
+ raise NoMethodError, "undefined method `#{method}' for #{self.inspect}" unless object.respond_to?(method)
8
+
9
+ self.object = dump(object)
10
+ self.args = args.map { |a| dump(a) }
11
+ self.method = method.to_sym
12
+ end
13
+
14
+ def display_name
15
+ case self.object
16
+ when CLASS_STRING_FORMAT then "#{$1}.#{method}"
17
+ when AR_STRING_FORMAT then "#{$1}##{method}"
18
+ else "Unknown##{method}"
19
+ end
20
+ end
21
+
22
+ def perform
23
+ load(object).send(method, *args.map{|a| load(a)})
24
+ rescue ActiveRecord::RecordNotFound
25
+ # We cannot do anything about objects which were deleted in the meantime
26
+ true
27
+ end
28
+
29
+ private
30
+
31
+ def load(arg)
32
+ case arg
33
+ when CLASS_STRING_FORMAT then $1.constantize
34
+ when AR_STRING_FORMAT then $1.constantize.find($2)
35
+ else arg
36
+ end
37
+ end
38
+
39
+ def dump(arg)
40
+ case arg
41
+ when Class then class_to_string(arg)
42
+ when ActiveRecord::Base then ar_to_string(arg)
43
+ else arg
44
+ end
45
+ end
46
+
47
+ def ar_to_string(obj)
48
+ "AR:#{obj.class}:#{obj.id}"
49
+ end
50
+
51
+ def class_to_string(obj)
52
+ "CLASS:#{obj.name}"
53
+ end
54
+ end
55
+ end
@@ -0,0 +1,54 @@
1
+ module Delayed
2
+ class Worker
3
+ SLEEP = 5
4
+
5
+ cattr_accessor :logger
6
+ self.logger = if defined?(Merb::Logger)
7
+ Merb.logger
8
+ elsif defined?(RAILS_DEFAULT_LOGGER)
9
+ RAILS_DEFAULT_LOGGER
10
+ end
11
+
12
+ def initialize(options={})
13
+ @quiet = options[:quiet]
14
+ Delayed::Job.min_priority = options[:min_priority] if options.has_key?(:min_priority)
15
+ Delayed::Job.max_priority = options[:max_priority] if options.has_key?(:max_priority)
16
+ end
17
+
18
+ def start
19
+ say "*** Starting job worker #{Delayed::Job.worker_name}"
20
+
21
+ trap('TERM') { say 'Exiting...'; $exit = true }
22
+ trap('INT') { say 'Exiting...'; $exit = true }
23
+
24
+ loop do
25
+ result = nil
26
+
27
+ realtime = Benchmark.realtime do
28
+ result = Delayed::Job.work_off
29
+ end
30
+
31
+ count = result.sum
32
+
33
+ break if $exit
34
+
35
+ if count.zero?
36
+ sleep(SLEEP)
37
+ else
38
+ say "#{count} jobs processed at %.4f j/s, %d failed ..." % [count / realtime, result.last]
39
+ end
40
+
41
+ break if $exit
42
+ end
43
+
44
+ ensure
45
+ Delayed::Job.clear_locks!
46
+ end
47
+
48
+ def say(text)
49
+ puts text unless @quiet
50
+ logger.info text if logger
51
+ end
52
+
53
+ end
54
+ end
@@ -0,0 +1,13 @@
1
+ autoload :ActiveRecord, 'activerecord'
2
+
3
+ require File.dirname(__FILE__) + '/delayed/message_sending'
4
+ require File.dirname(__FILE__) + '/delayed/performable_method'
5
+ require File.dirname(__FILE__) + '/delayed/job'
6
+ require File.dirname(__FILE__) + '/delayed/worker'
7
+
8
+ Object.send(:include, Delayed::MessageSending)
9
+ Module.send(:include, Delayed::MessageSending::ClassMethods)
10
+
11
+ if defined?(Merb::Plugins)
12
+ Merb::Plugins.add_rakefiles File.dirname(__FILE__) / '..' / 'tasks' / 'tasks'
13
+ end
@@ -0,0 +1,45 @@
1
+ $:.unshift(File.dirname(__FILE__) + '/../lib')
2
+ $:.unshift(File.dirname(__FILE__) + '/../../rspec/lib')
3
+
4
+ require 'rubygems'
5
+ require 'active_record'
6
+ gem 'sqlite3-ruby'
7
+
8
+ require File.dirname(__FILE__) + '/../init'
9
+ require 'spec'
10
+
11
+ ActiveRecord::Base.logger = Logger.new('/tmp/dj.log')
12
+ ActiveRecord::Base.establish_connection(:adapter => 'sqlite3', :database => '/tmp/jobs.sqlite')
13
+ ActiveRecord::Migration.verbose = false
14
+
15
+ ActiveRecord::Schema.define do
16
+
17
+ create_table :delayed_jobs, :force => true do |table|
18
+ table.integer :priority, :default => 0
19
+ table.integer :attempts, :default => 0
20
+ table.text :handler
21
+ table.text :result
22
+ table.string :owner
23
+ table.boolean :completed, :default => false
24
+ table.string :last_error
25
+ table.datetime :run_at
26
+ table.datetime :locked_at
27
+ table.string :locked_by
28
+ table.datetime :failed_at
29
+ table.timestamps
30
+ end
31
+
32
+ create_table :stories, :force => true do |table|
33
+ table.string :text
34
+ end
35
+
36
+ end
37
+
38
+
39
+ # Purely useful for test cases...
40
+ class Story < ActiveRecord::Base
41
+ def tell; text; end
42
+ def whatever(n, _); tell*n; end
43
+
44
+ handle_asynchronously :whatever
45
+ end
@@ -0,0 +1,144 @@
1
+ require File.dirname(__FILE__) + '/database'
2
+
3
+ class SimpleJob
4
+ cattr_accessor :runs; self.runs = 0
5
+ def perform; @@runs += 1; end
6
+ end
7
+
8
+ class RandomRubyObject
9
+ def say_hello
10
+ 'hello'
11
+ end
12
+ end
13
+
14
+ class ErrorObject
15
+
16
+ def throw
17
+ raise ActiveRecord::RecordNotFound, '...'
18
+ false
19
+ end
20
+
21
+ end
22
+
23
+ class StoryReader
24
+
25
+ def read(story)
26
+ "Epilog: #{story.tell}"
27
+ end
28
+
29
+ end
30
+
31
+ class StoryReader
32
+
33
+ def read(story)
34
+ "Epilog: #{story.tell}"
35
+ end
36
+
37
+ end
38
+
39
+ class IdLessObject
40
+ undef id
41
+ end
42
+
43
+ describe 'random ruby objects' do
44
+ before { Delayed::Job.delete_all }
45
+
46
+ it "should respond_to :send_later method" do
47
+
48
+ RandomRubyObject.new.respond_to?(:send_later)
49
+
50
+ end
51
+
52
+ it "should respond_to :private_job" do
53
+ RandomRubyObject.new.respond_to?(:private_job)
54
+ end
55
+
56
+ it "should raise a NoMethodError if send_later is called but the target method doesn't exist" do
57
+ lambda { RandomRubyObject.new.send_later(:method_that_deos_not_exist) }.should raise_error(NoMethodError)
58
+ end
59
+
60
+ it "should raise a NoMethodError if private_job is called but the target method doesn't exist" do
61
+ lambda { RandomRubyObject.new.private_job(self, :method_that_deos_not_exist) }.should raise_error(NoMethodError)
62
+ end
63
+
64
+ it "should raise a NoMethodError if private_job is called but the owner does not respond to id" do
65
+ lambda { RandomRubyObject.new.private_job(IdLessObject.new, :method_that_deos_not_exist) }.should raise_error(NoMethodError)
66
+ end
67
+
68
+ it "should add a new entry to the job table when send_later is called on it" do
69
+ Delayed::Job.count.should == 0
70
+
71
+ RandomRubyObject.new.send_later(:to_s)
72
+
73
+ Delayed::Job.count.should == 1
74
+ end
75
+
76
+ it "should add a new entry to the job table when send_later is called on the class" do
77
+ Delayed::Job.count.should == 0
78
+
79
+ RandomRubyObject.send_later(:to_s)
80
+
81
+ Delayed::Job.count.should == 1
82
+ end
83
+
84
+ it "should run get the original method executed when the job is performed" do
85
+
86
+ RandomRubyObject.new.send_later(:say_hello)
87
+
88
+ Delayed::Job.count.should == 1
89
+ end
90
+
91
+ it "should ignore ActiveRecord::RecordNotFound errors because they are permanent" do
92
+
93
+ ErrorObject.new.send_later(:throw)
94
+
95
+ Delayed::Job.count.should == 1
96
+
97
+ Delayed::Job.reserve_and_run_one_job
98
+
99
+ Delayed::Job.count.should == 0
100
+
101
+ end
102
+
103
+ it "should store the object as string if its an active record" do
104
+ story = Story.create :text => 'Once upon...'
105
+ story.send_later(:tell)
106
+
107
+ job = Delayed::Job.find(:first)
108
+ job.payload_object.class.should == Delayed::PerformableMethod
109
+ job.payload_object.object.should == "AR:Story:#{story.id}"
110
+ job.payload_object.method.should == :tell
111
+ job.payload_object.args.should == []
112
+ job.payload_object.perform.should == 'Once upon...'
113
+ end
114
+
115
+ it "should store arguments as string if they an active record" do
116
+
117
+ story = Story.create :text => 'Once upon...'
118
+
119
+ reader = StoryReader.new
120
+ reader.send_later(:read, story)
121
+
122
+ job = Delayed::Job.find(:first)
123
+ job.payload_object.class.should == Delayed::PerformableMethod
124
+ job.payload_object.method.should == :read
125
+ job.payload_object.args.should == ["AR:Story:#{story.id}"]
126
+ job.payload_object.perform.should == 'Epilog: Once upon...'
127
+ end
128
+
129
+ it "should call send later on methods which are wrapped with handle_asynchronously" do
130
+ story = Story.create :text => 'Once upon...'
131
+
132
+ Delayed::Job.count.should == 0
133
+
134
+ story.whatever(1, 5)
135
+
136
+ Delayed::Job.count.should == 1
137
+ job = Delayed::Job.find(:first)
138
+ job.payload_object.class.should == Delayed::PerformableMethod
139
+ job.payload_object.method.should == :whatever_without_send_later
140
+ job.payload_object.args.should == [1, 5]
141
+ job.payload_object.perform.should == 'Once upon...'
142
+ end
143
+
144
+ end
@@ -0,0 +1,400 @@
1
+ require File.dirname(__FILE__) + '/database'
2
+
3
+ class SimpleJob
4
+ cattr_accessor :runs; self.runs = 0
5
+ cattr_accessor :result;
6
+ def perform; @@runs += 1; @@result; end
7
+ end
8
+
9
+ class ErrorJob
10
+ cattr_accessor :runs; self.runs = 0
11
+ def perform; raise 'did not work'; end
12
+ end
13
+
14
+ module M
15
+ class ModuleJob
16
+ cattr_accessor :runs; self.runs = 0
17
+ def perform; @@runs += 1; end
18
+ end
19
+
20
+ end
21
+
22
+ class NoYamlObject
23
+ def id
24
+ 21
25
+ end
26
+
27
+ undef to_yaml
28
+ end
29
+
30
+ describe Delayed::Job do
31
+ before do
32
+ Delayed::Job.max_priority = nil
33
+ Delayed::Job.min_priority = nil
34
+
35
+ Delayed::Job.delete_all
36
+ end
37
+
38
+ before(:each) do
39
+ SimpleJob.runs = 0
40
+ end
41
+
42
+ it "should have a NoYamlObject test that does not respond to_yaml" do
43
+ NoYamlObject.new.respond_to?(:to_yaml).should == false
44
+ end
45
+
46
+ it "should set run_at automatically if not set" do
47
+ Delayed::Job.create(:payload_object => ErrorJob.new ).run_at.should_not == nil
48
+ end
49
+
50
+ it "should not set run_at automatically if already set" do
51
+ later = 5.minutes.from_now
52
+ Delayed::Job.create(:payload_object => ErrorJob.new, :run_at => later).run_at.should == later
53
+ end
54
+
55
+ it "should raise ArgumentError when handler doesn't respond_to :perform" do
56
+ lambda { Delayed::Job.enqueue(Object.new) }.should raise_error(ArgumentError)
57
+ end
58
+
59
+ it "should increase count after enqueuing items" do
60
+ Delayed::Job.enqueue SimpleJob.new
61
+ Delayed::Job.count.should == 1
62
+ end
63
+
64
+ it "should be able to set priority when enqueuing items" do
65
+ Delayed::Job.enqueue SimpleJob.new, 5
66
+ Delayed::Job.first.priority.should == 5
67
+ end
68
+
69
+ it "should be able to set run_at when enqueuing items" do
70
+ later = 5.minutes.from_now
71
+ Delayed::Job.enqueue SimpleJob.new, 5, later
72
+
73
+ # use be close rather than equal to because millisecond values cn be lost in DB round trip
74
+ Delayed::Job.first.run_at.should be_close(later, 1)
75
+ end
76
+
77
+ it "should call perform on jobs when running work_off" do
78
+ SimpleJob.runs.should == 0
79
+
80
+ Delayed::Job.enqueue SimpleJob.new
81
+ Delayed::Job.work_off
82
+
83
+ SimpleJob.runs.should == 1
84
+ end
85
+
86
+ it "should set result if result responds to to_yaml" do
87
+ Delayed::Job.destroy_completed_jobs = false
88
+ SimpleJob.result = 343
89
+
90
+ SimpleJob.runs.should == 0
91
+
92
+ Delayed::Job.enqueue SimpleJob.new
93
+ Delayed::Job.work_off
94
+
95
+ SimpleJob.runs.should == 1
96
+
97
+ YAML.load(Delayed::Job.first.result).should == SimpleJob.result
98
+ end
99
+
100
+ it "should not set result if result does not respond to to_yaml" do
101
+ Delayed::Job.destroy_completed_jobs = false
102
+ SimpleJob.result = NoYamlObject.new
103
+
104
+ SimpleJob.runs.should == 0
105
+
106
+ Delayed::Job.enqueue SimpleJob.new
107
+ Delayed::Job.work_off
108
+
109
+ SimpleJob.runs.should == 1
110
+
111
+ Delayed::Job.first.result.should == nil
112
+ end
113
+
114
+ it "should set owner id properly for strings" do
115
+ owner = 'some_crap'
116
+ Delayed::Job.enqueue_for owner, SimpleJob.new
117
+ Delayed::Job.first.owner.should == Delayed::Job.owner_key_for(owner)
118
+
119
+ puts owner
120
+ puts Delayed::Job.first.owner
121
+ end
122
+
123
+ it "should set owner id properly for AR objects" do
124
+ owner = Delayed::Job.create!(:completed => true)
125
+ Delayed::Job.enqueue_for owner, SimpleJob.new
126
+ Delayed::Job.last.owner.should == Delayed::Job.owner_key_for(owner)
127
+ end
128
+
129
+ it "should work with eval jobs" do
130
+ $eval_job_ran = false
131
+
132
+ Delayed::Job.enqueue do <<-JOB
133
+ $eval_job_ran = true
134
+ JOB
135
+ end
136
+
137
+ Delayed::Job.work_off
138
+
139
+ $eval_job_ran.should == true
140
+ end
141
+
142
+ it "should work with jobs in modules" do
143
+ M::ModuleJob.runs.should == 0
144
+
145
+ Delayed::Job.enqueue M::ModuleJob.new
146
+ Delayed::Job.work_off
147
+
148
+ M::ModuleJob.runs.should == 1
149
+ end
150
+
151
+ it "should re-schedule by about 1 second at first and increment this more and more minutes when it fails to execute properly" do
152
+ Delayed::Job.enqueue ErrorJob.new
153
+ Delayed::Job.work_off(1)
154
+
155
+ job = Delayed::Job.find(:first)
156
+
157
+ job.last_error.should =~ /did not work/
158
+ job.last_error.should =~ /job_spec.rb:11:in `perform'/
159
+ job.attempts.should == 1
160
+
161
+ job.run_at.should > Delayed::Job.db_time_now - 10.minutes
162
+ job.run_at.should < Delayed::Job.db_time_now + 10.minutes
163
+ end
164
+
165
+ it "should raise an DeserializationError when the job class is totally unknown" do
166
+
167
+ job = Delayed::Job.new
168
+ job['handler'] = "--- !ruby/object:JobThatDoesNotExist {}"
169
+
170
+ lambda { job.payload_object.perform }.should raise_error(Delayed::DeserializationError)
171
+ end
172
+
173
+ it "should try to load the class when it is unknown at the time of the deserialization" do
174
+ job = Delayed::Job.new
175
+ job['handler'] = "--- !ruby/object:JobThatDoesNotExist {}"
176
+
177
+ job.should_receive(:attempt_to_load).with('JobThatDoesNotExist').and_return(true)
178
+
179
+ lambda { job.payload_object.perform }.should raise_error(Delayed::DeserializationError)
180
+ end
181
+
182
+ it "should try include the namespace when loading unknown objects" do
183
+ job = Delayed::Job.new
184
+ job['handler'] = "--- !ruby/object:Delayed::JobThatDoesNotExist {}"
185
+ job.should_receive(:attempt_to_load).with('Delayed::JobThatDoesNotExist').and_return(true)
186
+ lambda { job.payload_object.perform }.should raise_error(Delayed::DeserializationError)
187
+ end
188
+
189
+ it "should also try to load structs when they are unknown (raises TypeError)" do
190
+ job = Delayed::Job.new
191
+ job['handler'] = "--- !ruby/struct:JobThatDoesNotExist {}"
192
+
193
+ job.should_receive(:attempt_to_load).with('JobThatDoesNotExist').and_return(true)
194
+
195
+ lambda { job.payload_object.perform }.should raise_error(Delayed::DeserializationError)
196
+ end
197
+
198
+ it "should try include the namespace when loading unknown structs" do
199
+ job = Delayed::Job.new
200
+ job['handler'] = "--- !ruby/struct:Delayed::JobThatDoesNotExist {}"
201
+
202
+ job.should_receive(:attempt_to_load).with('Delayed::JobThatDoesNotExist').and_return(true)
203
+ lambda { job.payload_object.perform }.should raise_error(Delayed::DeserializationError)
204
+ end
205
+
206
+ it "should be failed if it failed more than MAX_ATTEMPTS times and we don't want to destroy jobs" do
207
+ default = Delayed::Job.destroy_failed_jobs
208
+ Delayed::Job.destroy_failed_jobs = false
209
+
210
+ @job = Delayed::Job.create :payload_object => SimpleJob.new, :attempts => 50
211
+ @job.reload.failed_at.should == nil
212
+ @job.reschedule 'FAIL'
213
+ @job.reload.failed_at.should_not == nil
214
+
215
+ Delayed::Job.destroy_failed_jobs = default
216
+ end
217
+
218
+ it "should be destroyed if it failed more than MAX_ATTEMPTS times and we want to destroy jobs" do
219
+ default = Delayed::Job.destroy_failed_jobs
220
+ Delayed::Job.destroy_failed_jobs = true
221
+
222
+ @job = Delayed::Job.create :payload_object => SimpleJob.new, :attempts => 50
223
+ @job.should_receive(:destroy)
224
+ @job.reschedule 'FAIL'
225
+
226
+ Delayed::Job.destroy_failed_jobs = default
227
+ end
228
+
229
+ it "should never find failed jobs" do
230
+ @job = Delayed::Job.create :payload_object => SimpleJob.new, :attempts => 50, :failed_at => Time.now
231
+ Delayed::Job.find_available(1).length.should == 0
232
+ end
233
+
234
+ context "when another worker is already performing an task, it" do
235
+
236
+ before :each do
237
+ Delayed::Job.worker_name = 'worker1'
238
+ @job = Delayed::Job.create :payload_object => SimpleJob.new, :locked_by => 'worker1', :locked_at => Delayed::Job.db_time_now - 5.minutes
239
+ end
240
+
241
+ it "should not allow a second worker to get exclusive access" do
242
+ @job.lock_exclusively!(4.hours, 'worker2').should == false
243
+ end
244
+
245
+ it "should allow a second worker to get exclusive access if the timeout has passed" do
246
+ @job.lock_exclusively!(1.minute, 'worker2').should == true
247
+ end
248
+
249
+ it "should be able to get access to the task if it was started more then max_age ago" do
250
+ @job.locked_at = 5.hours.ago
251
+ @job.save
252
+
253
+ @job.lock_exclusively! 4.hours, 'worker2'
254
+ @job.reload
255
+ @job.locked_by.should == 'worker2'
256
+ @job.locked_at.should > 1.minute.ago
257
+ end
258
+
259
+ it "should not be found by another worker" do
260
+ Delayed::Job.worker_name = 'worker2'
261
+
262
+ Delayed::Job.find_available(1, 6.minutes).length.should == 0
263
+ end
264
+
265
+ it "should be found by another worker if the time has expired" do
266
+ Delayed::Job.worker_name = 'worker2'
267
+
268
+ Delayed::Job.find_available(1, 4.minutes).length.should == 1
269
+ end
270
+
271
+ it "should be able to get exclusive access again when the worker name is the same" do
272
+ @job.lock_exclusively! 5.minutes, 'worker1'
273
+ @job.lock_exclusively! 5.minutes, 'worker1'
274
+ @job.lock_exclusively! 5.minutes, 'worker1'
275
+ end
276
+ end
277
+
278
+ context "#name" do
279
+ it "should be the class name of the job that was enqueued" do
280
+ Delayed::Job.create(:payload_object => ErrorJob.new ).name.should == 'ErrorJob'
281
+ end
282
+
283
+ it "should be the method that will be called if its a performable method object" do
284
+ Delayed::Job.send_later(:clear_locks!)
285
+ Delayed::Job.last.name.should == 'Delayed::Job.clear_locks!'
286
+
287
+ end
288
+ it "should be the instance method that will be called if its a performable method object" do
289
+ story = Story.create :text => "..."
290
+
291
+ story.send_later(:save)
292
+
293
+ Delayed::Job.last.name.should == 'Story#save'
294
+ end
295
+ end
296
+
297
+ context "worker prioritization" do
298
+
299
+ before(:each) do
300
+ Delayed::Job.max_priority = nil
301
+ Delayed::Job.min_priority = nil
302
+ end
303
+
304
+ it "should only work_off jobs that are >= min_priority" do
305
+ Delayed::Job.min_priority = -5
306
+ Delayed::Job.max_priority = 5
307
+ SimpleJob.runs.should == 0
308
+
309
+ Delayed::Job.enqueue SimpleJob.new, -10
310
+ Delayed::Job.enqueue SimpleJob.new, 0
311
+ Delayed::Job.work_off
312
+
313
+ SimpleJob.runs.should == 1
314
+ end
315
+
316
+ it "should only work_off jobs that are <= max_priority" do
317
+ Delayed::Job.min_priority = -5
318
+ Delayed::Job.max_priority = 5
319
+ SimpleJob.runs.should == 0
320
+
321
+ Delayed::Job.enqueue SimpleJob.new, 10
322
+ Delayed::Job.enqueue SimpleJob.new, 0
323
+
324
+ Delayed::Job.work_off
325
+
326
+ SimpleJob.runs.should == 1
327
+ end
328
+
329
+ end
330
+
331
+ context "when pulling jobs off the queue for processing, it" do
332
+ before(:each) do
333
+ @job = Delayed::Job.create(
334
+ :payload_object => SimpleJob.new,
335
+ :locked_by => 'worker1',
336
+ :locked_at => Delayed::Job.db_time_now - 5.minutes)
337
+ end
338
+
339
+ it "should leave the queue in a consistent state and not run the job if locking fails" do
340
+ SimpleJob.runs.should == 0
341
+ @job.stub!(:lock_exclusively!).with(any_args).once.and_return(false)
342
+ Delayed::Job.should_receive(:find_available).once.and_return([@job])
343
+ Delayed::Job.work_off(1)
344
+ SimpleJob.runs.should == 0
345
+ end
346
+
347
+ end
348
+
349
+ context "while running alongside other workers that locked jobs, it" do
350
+ before(:each) do
351
+ Delayed::Job.worker_name = 'worker1'
352
+ Delayed::Job.create(:payload_object => SimpleJob.new, :locked_by => 'worker1', :locked_at => (Delayed::Job.db_time_now - 1.minutes))
353
+ Delayed::Job.create(:payload_object => SimpleJob.new, :locked_by => 'worker2', :locked_at => (Delayed::Job.db_time_now - 1.minutes))
354
+ Delayed::Job.create(:payload_object => SimpleJob.new)
355
+ Delayed::Job.create(:payload_object => SimpleJob.new, :locked_by => 'worker1', :locked_at => (Delayed::Job.db_time_now - 1.minutes))
356
+ end
357
+
358
+ it "should ingore locked jobs from other workers" do
359
+ Delayed::Job.worker_name = 'worker3'
360
+ SimpleJob.runs.should == 0
361
+ Delayed::Job.work_off
362
+ SimpleJob.runs.should == 1 # runs the one open job
363
+ end
364
+
365
+ it "should find our own jobs regardless of locks" do
366
+ Delayed::Job.worker_name = 'worker1'
367
+ SimpleJob.runs.should == 0
368
+ Delayed::Job.work_off
369
+ SimpleJob.runs.should == 3 # runs open job plus worker1 jobs that were already locked
370
+ end
371
+ end
372
+
373
+ context "while running with locked and expired jobs, it" do
374
+ before(:each) do
375
+ Delayed::Job.worker_name = 'worker1'
376
+ exp_time = Delayed::Job.db_time_now - (1.minutes + Delayed::Job::MAX_RUN_TIME)
377
+ Delayed::Job.create(:payload_object => SimpleJob.new, :locked_by => 'worker1', :locked_at => exp_time)
378
+ Delayed::Job.create(:payload_object => SimpleJob.new, :locked_by => 'worker2', :locked_at => (Delayed::Job.db_time_now - 1.minutes))
379
+ Delayed::Job.create(:payload_object => SimpleJob.new)
380
+ Delayed::Job.create(:payload_object => SimpleJob.new, :locked_by => 'worker1', :locked_at => (Delayed::Job.db_time_now - 1.minutes))
381
+ end
382
+
383
+ it "should only find unlocked and expired jobs" do
384
+ Delayed::Job.worker_name = 'worker3'
385
+ SimpleJob.runs.should == 0
386
+ Delayed::Job.work_off
387
+ SimpleJob.runs.should == 2 # runs the one open job and one expired job
388
+ end
389
+
390
+ it "should ignore locks when finding our own jobs" do
391
+ Delayed::Job.worker_name = 'worker1'
392
+ SimpleJob.runs.should == 0
393
+ Delayed::Job.work_off
394
+ SimpleJob.runs.should == 3 # runs open job plus worker1 jobs
395
+ # This is useful in the case of a crash/restart on worker1, but make sure multiple workers on the same host have unique names!
396
+ end
397
+
398
+ end
399
+
400
+ end
@@ -0,0 +1,17 @@
1
+ require File.dirname(__FILE__) + '/database'
2
+
3
+ describe "A story" do
4
+
5
+ before(:all) do
6
+ @story = Story.create :text => "Once upon a time..."
7
+ end
8
+
9
+ it "should be shared" do
10
+ @story.tell.should == 'Once upon a time...'
11
+ end
12
+
13
+ it "should not return its result if it storytelling is delayed" do
14
+ @story.send_later(:tell).should_not == 'Once upon a time...'
15
+ end
16
+
17
+ end
@@ -0,0 +1 @@
1
+ require File.join(File.dirname(__FILE__), 'tasks')
@@ -0,0 +1,15 @@
1
+ # Re-definitions are appended to existing tasks
2
+ task :environment
3
+ task :merb_env
4
+
5
+ namespace :jobs do
6
+ desc "Clear the delayed_job queue."
7
+ task :clear => [:merb_env, :environment] do
8
+ Delayed::Job.delete_all
9
+ end
10
+
11
+ desc "Start a delayed_job worker."
12
+ task :work => [:merb_env, :environment] do
13
+ Delayed::Worker.new(:min_priority => ENV['MIN_PRIORITY'], :max_priority => ENV['MAX_PRIORITY']).start
14
+ end
15
+ end
metadata ADDED
@@ -0,0 +1,69 @@
1
+ --- !ruby/object:Gem::Specification
2
+ name: mypunchbowl-delayed_job
3
+ version: !ruby/object:Gem::Version
4
+ version: 1.8.0
5
+ platform: ruby
6
+ authors:
7
+ - "Tobias L\xC3\xBCtke"
8
+ - Ryan Angilly
9
+ autorequire:
10
+ bindir: bin
11
+ cert_chain: []
12
+
13
+ date: 2009-08-17 00:00:00 -07:00
14
+ default_executable:
15
+ dependencies: []
16
+
17
+ description: Delated_job (or DJ) encapsulates the common pattern of asynchronously executing longer tasks in the background. It is a direct extraction from Shopify where the job table is responsible for a multitude of core tasks.
18
+ email: dev@punchbowlsoftware.com
19
+ executables: []
20
+
21
+ extensions: []
22
+
23
+ extra_rdoc_files:
24
+ - README.textile
25
+ files:
26
+ - MIT-LICENSE
27
+ - README.textile
28
+ - delayed_job.gemspec
29
+ - init.rb
30
+ - lib/delayed/job.rb
31
+ - lib/delayed/message_sending.rb
32
+ - lib/delayed/performable_method.rb
33
+ - lib/delayed/worker.rb
34
+ - lib/delayed_job.rb
35
+ - tasks/jobs.rake
36
+ - tasks/tasks.rb
37
+ has_rdoc: false
38
+ homepage: http://github.com/mypunchbowl/delayed_job/tree/master
39
+ licenses:
40
+ post_install_message:
41
+ rdoc_options:
42
+ - --main
43
+ - README.textile
44
+ require_paths:
45
+ - lib
46
+ required_ruby_version: !ruby/object:Gem::Requirement
47
+ requirements:
48
+ - - ">="
49
+ - !ruby/object:Gem::Version
50
+ version: "0"
51
+ version:
52
+ required_rubygems_version: !ruby/object:Gem::Requirement
53
+ requirements:
54
+ - - ">="
55
+ - !ruby/object:Gem::Version
56
+ version: "0"
57
+ version:
58
+ requirements: []
59
+
60
+ rubyforge_project:
61
+ rubygems_version: 1.3.5
62
+ signing_key:
63
+ specification_version: 2
64
+ summary: Database-backed asynchronous priority queue system -- Extracted from Shopify -- modified by MyPunchbowl
65
+ test_files:
66
+ - spec/database.rb
67
+ - spec/delayed_method_spec.rb
68
+ - spec/job_spec.rb
69
+ - spec/story_spec.rb