我是红宝石的新手,我正在学习,所以我正在学习本教程 http://guides.rubyonrails.org/getting_started.html 但是当我尝试添加错误消息时,我得到了未定义的方法`错误'为零:NilClass 在这段代码中:
<h1>New Article</h1>
<%= form_for :posts, url: posts_path do |f| %>
<% if @post.errors.any? %> // <-- **HERE**
<div id="error_explanation">
<h2>
<%= pluralize(@post.errors.count, "error") %> prohibited
这是我的控制者:
class PostsController < ApplicationController
def index
@posts = Post.all
end
def new
@posts = Post.all
end
def create
@posts = Post.new(posts_params)
if @posts.save
redirect_to @posts
else
render 'new'
end
end
def show
@posts = Post.find(params[:id])
end
private
def posts_params
params.require(:posts).permit(:title, :description)
end
end
这是我认为完全错误的观点:
<h1>New Article</h1>
<%= form_for :posts, url: posts_path do |f| %>
<% if @post.errors.any? %>
<div id="error_explanation">
<h2>
<%= pluralize(@post.errors.count, "error") %> prohibited
this post from being saved:
</h2>
<ul>
<% @post.errors.full_messages.each do |msg| %>
<li><%= msg %></li>
<% end %>
</ul>
</div>
<% end %>
<p>
<%= f.label :title %><br>
<%= f.text_field :title %>
</p>
<p>
<%= f.label :description %><br>
<%= f.text_area :description %>
</p>
<p>
<%= f.submit %>
</p>
<% end %>
<%= link_to 'Back', posts_path %>
My model:
class Post < ActiveRecord::Base
validates :title,
:presence => {:message => "Title can't be blank." },
:uniqueness => {:message => "Title already exists."},
length: { minimum: 5 }
validates :description,
:presence =>{:message => "Description can't be blank." }
end
有人可以帮助我吗?
答案 0 :(得分:2)
您有以下内容:
<% if @post.errors.any? %>
但在您的控制器中,您有:
def new
@posts = Post.new
end
def create
@posts = Post.new(posts_params)
...
end
在控制器中将@posts
重命名为@post
。
因此,代码必须如下所示:
def new
@post = Post.new
end
def create
@post = Post.new(posts_params)
...
end
答案 1 :(得分:1)
我想建议,只有一件事: -
您可以尝试: -
In controller
def new
@post = Post.new
end
并在您的视图中
<%= form_for :post, url: posts_path do |f| %>
<% if @post.errors.any? %>
---you code here --
<% end %>
<% end %>
在保存到数据库之前,可以使用 new
动作来验证参数,因此如果没有提供有效的参数,则调用some_obj = obj.new(params)
然后som_obj.errors
肯定会列出错误
答案 2 :(得分:0)
错误是您没有声明@post
-
您需要执行以下操作:
#app/controllers/posts_controller.rb
class PostsController < ApplicationController
def new
@post = Post.new
end
end
#app/views/posts/new.html.erb
<%= form_for @post do |f| %>
<% if @post.errors.any? %>
...
<% end %>
<%= f.submit %>
<% end %>
这将设置正确的@post
变量,该变量可让您在其上调用.errors
方法。
作为旁注,
nil的未定义方法`errors':NilClass
此错误经常与新开发人员混淆。
他们认为他们的问题是errors
方法缺失; 真正的问题是您的变量未声明
自Ruby is object orientated起,它将每个变量视为对象。与其他语言不同 - 它会根据未声明的变量引发异常,Ruby会填充nil:NilClass
对象。
因此,每当您看到上述错误时,请始终记住,这意味着您已经调用了一个非声明的变量。