0

我是一个新的 Rails 开发人员,他有一个基本的脚手架 crud 应用程序,我对其进行了一些修改。

我收到此错误:

undefined method description for #<ActiveRecord::Relation:0x00000102df26d8>

当我访问时john/recipes/46。这是我的看法:

<h1 itemprop="name"><%= @recipe.name %></h1>
<ul>        
   <li><%= link_to 'Edit', edit_recipe_path(@recipe) %></li>
</ul>
<p itemprop="description"><%= @recipe.description %></p>

这是我的路线:

match "/:username" => "recipes#index"
scope ':username' do
  resources :recipes
end

这是我的节目索引:

def show
 @user = User.find_by_username params[:username]
 @recipe = Recipe.where(:user_recipe_id => params[:id])

 respond_to do |format|
  format.html # show.html.erb
  format.json { render json: @recipe }
 end
end

和我的模型:

before_save :set_next_user_recipe_id

belongs_to :users

validates :user_recipe_id, :uniqueness => {:scope => :user_id}

def to_param
  self.user_recipe_id.to_s
end

def set_next_user_recipe_id
  self.user_recipe_id ||= get_new_user_recipe_id
end

def get_new_user_recipe_id
  user = self.user
  max = user.recipes.maximum('user_recipe_id') || 0
  max + 1
end

attr_accessible :description, :duration, :author, :url, :name, :yield, :ingredients_attributes, :user_recipe_id, :directions_attributes, :tag_list, :image

我这样做的原因是因为我试图这样做而不是Recipe.where(:user_recipe_id => params[:id])显示数据库中的第 46 个食谱,而是显示属于 John 的第 46 个食谱。Recipe.where(:id => params[:id])john/recipes/46

感谢大家的帮助!

4

1 回答 1

1

您只是想寻找一个食谱,但您的查询正在搜索多个。当你使用一个where(...)没有以 结尾的plain 时.first,Rails 将它解释为“显示我所有(多个)具有此用户 ID 的食谱”而不是“显示我具有此 ID(一个)食谱”。

因此,您需要.first在查询末尾添加:

@recipe = Recipe.where(:user_recipe_id => params[:id]).first

或使用仅返回一条记录的 ActiveRecord 查找器:

@recipe = Recipe.find_by_user_recipe_id(params[:id])
于 2013-07-02T01:35:36.693 回答