如何显示rails控制台

时间:2016-07-03 02:17:23

标签: ruby-on-rails associations polymorphic-associations

协会是我的轨道跟腱。

我有3个模型和控制器:UserListItem

用户可以创建usernamepassword。列表可以创建列表name,项目可以创建item_name

理想情况下,列表属于用户。项目属于列表。列表有很多项目。用户有很多列表。所以我想出了:

class Item < ActiveRecord::Base
  belongs_to :list
  delegate :user, to: :list
end

class List < ActiveRecord::Base
  belongs_to :user
  has_many :items
end

class User < ActiveRecord::Base
  has_many :lists
  has_many :items, through: :lists
end

在rails控制台上,为了确保,我检查了列:

2.2.1 :005 > List.column_names
 => ["id", "name", "user_id", "created_at", "updated_at"] 
2.2.1 :006 > Item.column_names
 => ["id", "item_name", "list_id", "created_at", "updated_at"]     
2.2.1 :007 > User.column_names
 => ["id", "username", "password", "created_at", "updated_at"] 

所以我去创建了新的用户,项目和列表:

User.create(username: "iggy2", password: "helloworld") 
#let's say iggy2 has user_id 2.

我想让iggy2拥有一个名为“重要的东西”的List,其中包含Item“Wash dishes”。

List.create(name: "Important", user_id: 2 ) #let's say this has id of 1

Item.create(item_name: "Wash dishes", list_id: 1)

我假设Item连接到List并且List连接到User。但是当我输入User.last.name而不是看到“重要”时,我得到一个NoMethodError: undefined method 'name'。我也在List.last.item_name

上得到类似的错误

这就是我的架构

create_table "items", force: :cascade do |t|
    t.text     "item_name"
    t.integer  "list_id"
    t.datetime "created_at",                 null: false
    t.datetime "updated_at",                 null: false
  end

  create_table "lists", force: :cascade do |t|
    t.string   "name"
    t.integer  "user_id"
    t.datetime "created_at", null: false
    t.datetime "updated_at", null: false
  end

  create_table "users", force: :cascade do |t|
    t.string   "username"
    t.string   "password"
    t.datetime "created_at", null: false
    t.datetime "updated_at", null: false
  end

我的代码缺少什么?我的假设错了吗?如何让User.last.name甚至User.last.item_name显示最后一个用户的项目名称或列表名称?

1 个答案:

答案 0 :(得分:1)

您的代码是正确的,但您的假设是错误的。 User.last返回用户记录,以便在访问相关记录中的方法时获得NoMethodError

我想你想要的是下面的内容:

List.where(user_id: User.last.id).pluck(:name) # Return all list names belong to last user

id = List.find_by(user_id: User.last)
Item.where(list_id: id).pluck(:item_name) # Return all item names belong to last user