我的问题与官方Rails guide的5.10节有关
我有一个文章模型,其中的字段为标题和文本
article.rb :
df1 <- structure(list(ID = c("153", "", "", "", "104", "", "254", "266"
), Number = c(31L, 28L, 31L, 30L, 31L, 30L, 31L, 31L)), row.names = c(NA,
-8L), class = "data.frame")
articles_controller.rb :
class Article < ApplicationRecord
validates :title, presence: true, length: { minimum: 5 }
end
指南说
@article = Article.new
需要添加到 new 操作中,否则在我们看来@article将为零,并且调用class ArticlesController < ApplicationController
def index
@articles = Article.all
end
def show
@article = Article.find(params[:id])
end
def new
@article = Article.new
end
def create
@article = Article.new(article_params)
if @article.save
redirect_to @article
else
render 'new'
end
end
private
def article_params
params.require(:article).permit(:title, :text)
end
end
将引发错误。这是 new.html.erb :
@article.errors.any?
我能理解的是,当出现错误时,它出现在@articles中,所以出现在@ article.errors.any中?呈现“新”视图时,有助于显示错误。它确实按预期工作,但是我无法理解的是,<%= form_with scope: :article, url: articles_path, local: true do |form| %>
<% if @article.errors.any? %>
<div id="error_explanation">
<h2>
<%= pluralize(@article.errors.count, "error") %> prohibited
this article from being saved:
</h2>
<ul>
<% @article.errors.full_messages.each do |msg| %>
<li><%= msg %></li>
<% end %>
</ul>
</div>
<% end %>
<p>
<%= form.label :title %><br>
<%= form.text_field :title %>
</p>
<p>
<%= form.label :text %><br>
<%= form.text_area :text %>
</p>
<p>
<%= form.submit %>
</p>
<% end %>
<%= link_to 'Back', articles_path %>
在新操作中应该重置@article,并且在用户重定向到@article = Article.new
之后,错误应该丢失。但是不知何故,这些错误并没有丢失,并且确实可以显示出来。这是怎么回事?
答案 0 :(得分:3)
render
和redirect
是不同的东西。
render
呈现将作为响应正文返回到浏览器的内容。
redirect
或redirect_to
-重定向担心告诉浏览器需要向路径中指定的其他位置或相同位置发出新请求。
请注意,当保存返回false时,在create动作中我们使用render而不是redirect_to。使用render方法,以便在渲染@article对象时将其传递回新模板。此呈现是在与表单提交相同的请求内完成的,而redirect_to将告诉浏览器发出另一个请求。
注意:您可以详细阅读render vs redirect
根据您的问题
def new
@article = Article.new
end
def create
@article = Article.new(article_params)
if @article.save
redirect_to @article
else
render 'new' # this will add error (validations)
end
end
def create
@article = Article.new(article_params)
if @article.save
redirect_to @article
else
redirect_to 'new' # this will not add any error as this is new request and @article will initialise again.
new #same as redirect
end
end
编辑:使用ActiveModel创建表单对象。表单对象是专门设计为传递给form_for
的对象。我们总是检查错误@article.errors.any?
,如果@article
对象包含任何错误消息,它将执行
请阅读form_for文档。
答案 1 :(得分:1)
render
在new
方法中不运行任何代码,它仅使用new.html.x
视图。因此,@article = Article.new
永远不会执行。
如果您希望运行new
中的代码,则需要实际调用该方法:
def create
@article = Article.new(article_params)
if @article.save
redirect_to @article
else
new #actually runs the code in the 'new' method
render 'new' # doesn't go anywhere near the new method, just uses its view
end
end