23

来自 C 风格语法的悠久历史,现在正在尝试学习 Ruby(在 Rails 上),我一直在其习语等方面遇到问题,但今天我遇到了一个我没想到会遇到问题的问题并且我看不到必须在我面前的任何东西。

我有一个 Binary 类,它包含一个从路径值派生 URI 值的私有方法(uri 和路径是类的属性)。我self.get_uri_from_path()从内部打电话Binary.upload(),但我得到:

Attempt to call private method

模型的片段如下所示:

class Binary < ActiveRecord::Base
  has_one :image

  def upload( uploaded_file, save = false )
    save_as = File.join( self.get_bin_root(), '_tmp', uploaded_file.original_path )

    # write the file to a temporary directory
    # set a few object properties

    self.path   = save_as.sub( Rails.root.to_s + '/', '' )
    self.uri    = self.get_uri_from_path()
  end

  private

  def get_uri_from_path
    return self.path.sub( 'public', '' )
  end
end

我打错电话了吗?我是否错过了其他更基本的东西?唯一Binary.get_uri_from_path()被调用的地方——目前——是Binary.upload()。我希望能够从同一个类中调用私有方法,除非 Ruby 所做的事情与我使用的其他语言明显不同。

谢谢。

4

3 回答 3

46

不要做

self.get_uri_from_path()

get_uri_from_path()

因为...

  class AccessPrivate
    def a
    end
    private :a # a is private method

    def accessing_private
      a              # sure! 
      self.a         # nope! private methods cannot be called with an explicit receiver at all, even if that receiver is "self"
      other_object.a # nope, a is private, you can't get it (but if it was protected, you could!)
    end
  end

通过

于 2009-08-19T16:50:38.593 回答
1

我相信在这种情况下正确的习语不是 self.get_uri_from_path() 而是简单的 get_uri_from_path()。自我是多余的。进一步说明: * self.path 调用self上的path方法,想必是在父类中定义的。如果你想直接访问实例变量,你可以说@path。(@ 是实例变量的标志。) * 方法参数的括号是可选的,除非它们的缺失会导致歧义。如果您愿意,您可以将 get_uri_from_path() 替换为 get_uri_from_path。这与 Javascript 形成鲜明对比,在 Javascript 中,没有括号的函数将该函数表示为一个值,而不是该函数的应用程序。

于 2009-08-19T16:53:39.570 回答
1

尽管在任何情况下都可以调用私有方法,但有一个很糟糕的地方,那就是:

object.send(:private_method)

我相信 1.9 对这个技巧有不同的实现

于 2009-08-20T03:31:01.490 回答