在Ruby中,你可以使用模块来实现单例模式的懒加载。这是一个示例:
module Singleton
def self.included(base)
base.class_eval do
@instance = nil
def self.instance
return @instance if @instance
@instance = new
yield(@instance) if block_given?
@instance
end
end
end
end
class MyClass
include Singleton
def initialize(name)
@name = name
end
def say_hello
puts "Hello, my name is #{@name}."
end
end
# 使用单例模式懒加载MyClass
my_instance = MyClass.instance { |obj| obj.name = "John" }
my_instance.say_hello # 输出 "Hello, my name is John."
在这个示例中,我们创建了一个名为Singleton
的模块,它包含一个included
方法。当一个类包含了这个模块时,included
方法会被调用。在这个方法中,我们定义了一个instance
类方法,它会返回类的唯一实例。如果实例尚未创建,instance
方法会创建一个新的实例,否则返回已创建的实例。
在MyClass
类中,我们包含了Singleton
模块,并定义了一个initialize
方法。我们还定义了一个say_hello
方法,用于输出实例的名字。
要使用单例模式懒加载MyClass
,我们可以调用MyClass.instance
,并在块中设置实例的属性。在这个例子中,我们将实例的名字设置为"John"。然后我们可以调用say_hello
方法,输出实例的名字。