代码之家  ›  专栏  ›  技术社区  ›  Stephen ODonnell

Rails:单表继承和在父表中查找(:all)

  •  3
  • Stephen ODonnell  · 技术社区  · 15 年前

    我理解STI是如何工作的,因为我说过一个后模型 “ordinaryUserPost”和“adminUserPost”等。

    这种方法在每种情况下都会有所不同,例如

    class Post < ActiveRecord::Base
    end
    
    class AdminUserPost < Post
      def background_color
        'rockstar red'
      end
    end
    
    class OrdinaryUserPost < Post
      def background_color
        'pale blue'
      end
    end
    

    (是的,这是一个愚蠢的例子)。现在在我的线程控制器中,我执行Post.find (:all)它给了我一个需要呈现的帖子列表,但是它们是 “Post”对象,而不是AdminUserPost或OrdinaryUserPost-因此我不能 只需获取我的背景颜色方法!我得找一找

    我能做什么

    Post.find(:all)
    

    并在结果数组中获取AdminUserPost和 OrdinaryUserPost对象而不是Post对象?

    或者,是否有一种很好的方法可以将我的帖子对象适当地“强制”到AdminUserPost和OrdinaryUserPost中?

    这与预期的一样有效-前提是在Post类中有一个名为“type”的列。如果您的列被称为其他列,例如“post_type”,则需要添加:

    self.inheritance_column = 'post_type'
    

    在所有子模型(本例中为AdminUserPost和OrdinaryUserPost)和父模型(Post)中。

    谢谢

    3 回复  |  直到 15 年前
        1
  •  7
  •   dstnbrkr    15 年前

    仔细检查posts表是否有“类型”(字符串)列。如果AdminUserPosts和OrdinaryUserPosts被写入到表“posts”中,并且type列是正确的,那么您应该得到您期望的子类行为。

        2
  •  1
  •   Stephen ODonnell    15 年前

    self.inheritance_column = 'post_type'
    

    在所有子模型(本例中为AdminUserPost和OrdinaryUserPost)和父模型(Post)中。

        3
  •  -2
  •   klew    15 年前

    find(:all)将为您提供Post,因为您是在Post中服务,而不是在AdminUserPost中。如果您想要AdminUserPost,请使用:

    AdminUserPost.find(:all)
    

    但是我想它会找到和Post相同的帖子。find(:all)会找到。

    # in model
    Class Post << ActiveRecord::Base
      named_scope :admin_posts, :conditions => {:owner == 'admin'}
      named_scope :ordinary_user_posts, :condition => {:owner != 'admin'}
    end
    
    # in controller
    @posts = Post.admin_posts # returns admin posts
    
    # or
    @posts = AdminUserPost.admin_posts # returns admin posts in AdminUserPost class 
    

    我没有尝试使用这个继承类,但我认为它会起作用。

    您可以在此处了解有关命名作用域的更多信息: http://railscasts.com/episodes/108-named-scope

    编辑: