0

我整天都在用头撞墙,试图做一些我觉得可能很简单的事情。我有一个用户模型,其中用户可以与另一个称为兴趣的模型建立关系(通过关注或取消关注)。

在我的主页上,我想显示 @user 或 current_user 未“关注”的所有兴趣。

我一直在我的控制器中尝试这种变化:

@interests = Interest.all.where(:current_user.following => nil)

显然,这是行不通的,因为“where”似乎严格搜索数据库列,而且我的关系模型不会在 Interest 表中留下任何足迹。有趣的是,我可以通过一个简单的方法轻松显示我的用户关注的所有兴趣

@interests = current_user.following

我猜我可能不得不为我的模型和控制器编写新的资源和代码,以实现“不遵循”的方法或路线。但是作为 Rails 的新手,我不知道那会是什么样子,而且我似乎无法在 Stack 或其他地方找到任何帮助。

更新

根据要求,这是用户模型:

class User < ActiveRecord::Base
before_save { self.email = email.downcase }
before_create :create_remember_token

validates :name, presence: true, length: { maximum: 50 }
VALID_EMAIL_REGEX = /\A[\w+\-.]+@[a-z\d\-.]+\.[a-z]+\z/i
validates :email, presence: true, 
          format: { with: VALID_EMAIL_REGEX },
          uniqueness: { case_sensitive: false }
   validates :address, presence: true
    has_secure_password
    validates :password, length: { minimum: 6 }

  has_many :relationships, :foreign_key => "follower_id",
                        :dependent => :destroy   
  has_many :following, :through => :relationships, :source => :followed 

  geocoded_by :address do |user,results|
    if geo = results.first
      user.city = geo.city
    end
  end  
  after_validation :geocode, :if => :address_changed?

  def following?(interest)
    relationships.find_by(followed_id: interest.id)
  end

  def follow!(interest)
    relationships.create!(followed_id: interest.id)
  end

  def unfollow!(interest)
    relationships.find_by(followed_id: interest.id).destroy!
  end

这是兴趣模型:

class Interest < ActiveRecord::Base

  has_many :relationships, :foreign_key => "followed_id",
                        :class_name => "relationship"
  has_many :followers, :through => :reverse_relationships, 
                    :source => :follower   

  has_many :followed_users, through: :relationships, source: :followed
4

3 回答 3

1

只是对@Ayman 的回答的评论:

我不确定您的 Interest 模型是什么样子或以下回报如何,但我认为这样的事情应该有效:

Interest.where('interest_id 不在 (?)', current_user.following.map(&:id))

您可以尝试将此查询与pluck方法一起使用:

Interest.where("interest_id NOT IN (?)", current_user.following.pluck(:id))
于 2013-09-12T08:48:43.900 回答
1

理想情况下,您应该有一个具有所有可能兴趣的模型。

但是,您也可以在当前场景中使用基本的数组减法和distinct查询来解决它。Interests

all_interests = Interests.select("distinct interest_type").map{|item| item.interest_type}
user_interests = current_user.following
not_followed_interests = all_interests - user_interests
于 2013-09-12T01:41:22.483 回答
1

我不确定您的Interest模型是什么样子或following返回什么,但我认为这样的事情应该有效:

Interest.where('interest_id not in (?)', current_user.following.map(&:id))
于 2013-09-12T04:05:51.193 回答