debian-mirror-gitlab/lib/gitlab/daemon.rb

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

103 lines
2.1 KiB
Ruby
Raw Normal View History

2018-12-13 13:39:08 +05:30
# frozen_string_literal: true
2017-09-10 17:25:29 +05:30
module Gitlab
class Daemon
2022-07-23 23:45:48 +05:30
# Options:
# - recreate: We usually only allow a single instance per process to exist;
# this can be overridden with this switch, so that existing
# instances are stopped and recreated.
def self.initialize_instance(*args, recreate: false, **options)
if @instance
if recreate
@instance.stop
else
raise "#{name} singleton instance already initialized"
end
end
@instance = new(*args, **options)
2017-09-10 17:25:29 +05:30
Kernel.at_exit(&@instance.method(:stop))
@instance
end
2022-01-26 12:08:38 +05:30
def self.instance(...)
@instance ||= initialize_instance(...)
2017-09-10 17:25:29 +05:30
end
attr_reader :thread
def thread?
!thread.nil?
end
2022-04-04 11:22:00 +05:30
# Possible options:
# - synchronous [Boolean] if true, turns `start` into a blocking call
2022-01-26 12:08:38 +05:30
def initialize(**options)
@synchronous = options[:synchronous]
2017-09-10 17:25:29 +05:30
@mutex = Mutex.new
end
def enabled?
true
end
2019-12-26 22:10:19 +05:30
def thread_name
self.class.name.demodulize.underscore
end
2017-09-10 17:25:29 +05:30
def start
return unless enabled?
@mutex.synchronize do
2018-10-15 14:42:47 +05:30
break thread if thread?
2017-09-10 17:25:29 +05:30
2019-12-21 20:55:43 +05:30
if start_working
2019-12-26 22:10:19 +05:30
@thread = Thread.new do
Thread.current.name = thread_name
run_thread
end
2022-01-26 12:08:38 +05:30
@thread.join if @synchronous
@thread
2019-12-21 20:55:43 +05:30
end
2017-09-10 17:25:29 +05:30
end
end
def stop
@mutex.synchronize do
2018-10-15 14:42:47 +05:30
break unless thread?
2017-09-10 17:25:29 +05:30
stop_working
if thread
thread.wakeup if thread.alive?
2019-12-04 20:38:33 +05:30
begin
thread.join unless Thread.current == thread
rescue Exception # rubocop:disable Lint/RescueException
end
2017-09-10 17:25:29 +05:30
@thread = nil
end
end
end
private
2019-12-21 20:55:43 +05:30
# Executed in lock context before starting thread
# Needs to return success
2017-09-10 17:25:29 +05:30
def start_working
2019-12-21 20:55:43 +05:30
true
end
# Executed in separate thread
def run_thread
2017-09-10 17:25:29 +05:30
raise NotImplementedError
end
2019-12-21 20:55:43 +05:30
# Executed in lock context
2017-09-10 17:25:29 +05:30
def stop_working
# no-ops
end
end
end