从模块

时间:2017-12-30 05:33:24

标签: ruby scope rubygems

我正在寻找一个可以按如下方式调用的Gem

# initialization
location = DarkSky::Location.new [45, -90]

# calling certain methods
location.current.temperature
location.tomorrow.temperature_high # not shown below

目前,我的代码结构如此(此帖子有很多方法)

location.rb

module DarkSky
  # other methods are here, as this is for a Gem
  class Location
    def initialize(location)
      @location = location
    end

    def full_data
      # return common data between `Current` and `Tomorrow` classes
      {
        currently: {
          temperature: 42
        }
      }
    end
  end
end

current.rb

module DarkSky
  class Location
    module Current
      def self.temperature
        full_data[:currently][:temperature] # this line
      end
    end

    # alias name for client simplicity
    def current
      Current
    end
  end
end

在第二个区块中,我打算从第一个区块拨打full_data。我遇到的问题是full_data是一个实例方法,而我只能从Location范围内访问它(而不是内部Current范围)

我搜索了很多,但是找不到类似的东西,其中方法是实例方法,而不是方法

旁注 - 如果Current是类或模块,则无关紧要。无论哪种方式,我都很擅长解决方案。

2 个答案:

答案 0 :(得分:1)

鉴于在这种情况下,只会有一个Current或类似的实例,这可以通过在Location初始化时创建一个类实例,并使用attr_reader来实现访问它。

这是基于原始帖子的工作代码。

location.rb

module DarkSky
  # other methods are here, as this is for a Gem
  class Location
    attr_reader :current

    def initialize(location)
      @location = location
      @current = Current.new self # here's the "hidden" initialization with the instance as a parameter
    end

    def full_data
      # return common data between `Current` and `Tomorrow` classes
      {
        currently: {
          temperature: 42
        }
      }
    end
  end
end

current.rb

module DarkSky
  class Location
    class Current
      def initialize(location)
        # keep a reference to the location (for the shared data)
        @location = location
      end

      def apparent_temperature
        @location.full_data[:currently][:temperature]
      end
    end
  end
end

这允许看起来像命名空间,但实际上它只是类实例的getter,然后让你获得各个方法。

答案 1 :(得分:0)

请记住,每个方法调用都有一个额外的参数,除了参数列表中的参数,它是方法的接收者。如果未明确写入接收器,则self被假定为接收器。

关于数据共享,模块DarkSky :: Location :: Current和类DarkSky :: Location之间没有任何关系。您的full_data方法调用未指定显式接收方,因此它假设self为接收方。在您的情况下,self等于DarkSyk::Location::Current,此模块中没有方法full_data

我们假设您的方法full_data 真的需要访问其DarkSky :: Location对象;在您发布的代码中,情况并非如此,但我想您已经删除了代码,以便更容易理解您的问题。在这种情况下,您还必须提供这样的Location对象; full_data如何知道如何计算结果?

当然,如果full_data确实需要来自Location的任何实例变量,那么它应该是Location的类方法,而不是实例方法。

在您的情况下,我猜一个Location对象存储某个位置的(weather-)数据,而您的temperature方法返回温度。但是它应该返回温度的哪个位置?东京还是维也纳?不知道这个地方,知道温度是没有意义的。使其工作的一种方法是将地点添加为参数:

module Current
  # where  : Object of class DarkSky::Location
  def self.temperature(where)
    where.full_data[:currently][:temperature] # this line
  end
end

这只是一个例子。无论是否适合您的应用,我都不知道。