我正在尝试为我的模型使用ActiveModel而不是ActiveRecord,因为我不希望我的模型与数据库有任何关系。
以下是我的模特:
class User
include ActiveModel::Validations
validates :name, :presence => true
validates :email, :presence => true
validates :password, :presence => true, :confirmation => true
attr_accessor :name, :email, :password, :salt
def initialize(attributes = {})
@name = attributes[:name]
@email = attributes[:email]
@password = attributes[:password]
@password_confirmation = attributes[:password_confirmation]
end
end
这是我的控制器:
class UsersController < ApplicationController
def new
@user = User.new
@title = "Sign up"
end
end
我的观点是:
<h1>Sign up</h1>
<%= form_for(@user) do |f| %>
<div class="field">
<%= f.label :name %><br />
<%= f.text_field :name %>
</div>
<div class="field">
<%= f.label :email %><br />
<%= f.text_field :email %>
</div>
<div class="field">
<%= f.label :password %><br />
<%= f.password_field :password %>
</div>
<div class="field">
<%= f.label :password_confirmation, "Confirmation" %><br />
<%= f.password_field :password_confirmation %>
</div>
<div class="actions">
<%= f.submit "Sign up" %>
</div>
<% end %>
但是当我在浏览器中加载此视图时,我得到一个例外:
undefined method 'to_key' for User:0x104ca1b60
有人可以帮我解决这个问题吗?
非常感谢提前!
答案 0 :(得分:31)
我根据Rails 3.1源代码对其进行排序,我认为这比在其他地方搜索更容易。早期版本的Rails应该是类似的。如果tl;博士
,跳到最后当您致电form_for(@user)
时,您将完成此操作:
def form_for(record, options = {}, &proc)
#...
case record
when String, Symbol
object_name = record
object = nil
else
object = record.is_a?(Array) ? record.last : record
object_name = options[:as] || ActiveModel::Naming.param_key(object)
apply_form_for_options!(record, options)
end
由于@user
既不是字符串也不是对象,因此您可以通过else
分支进入apply_form_for_options!
。在apply_form_for_options!
内,我们看到了这一点:
as = options[:as]
#...
options[:html].reverse_merge!(
:class => as ? "#{as}_#{action}" : dom_class(object, action),
:id => as ? "#{as}_#{action}" : dom_id(object, action),
:method => method
)
注意那段代码,它包含问题的根源和解决方案。 dom_id
方法调用record_key_for_dom_id
,如下所示:
def record_key_for_dom_id(record)
record = record.to_model if record.respond_to?(:to_model)
key = record.to_key
key ? sanitize_dom_id(key.join('_')) : key
end
你打电话给to_key
。 to_key
方法由ActiveRecord::AttributeMethods::PrimaryKey
定义,由于您未使用ActiveRecord,因此您没有to_key
方法。如果您的模型中有某些行为类似于主键,那么您可以定义自己的to_key
并保留它。
但是,如果我们回到apply_form_for_options!
,我们会看到另一种解决方案:
as = options[:as]
因此,您可以向:as
提供form_for
选项,以便手动为您的表单生成DOM ID:
<%= form_for(@user, :as => 'user_form') do |f| %>
您必须确保:as
值在页面中是唯一的。
执行摘要:
to_key
方法以返回它。:as
提供适当的form_for
选项。答案 1 :(得分:1)
看起来你应该调查一下(没有很好记录的)ActiveModel :: Conversions类
https://github.com/rails/rails/blob/3-1-stable/activemodel/lib/active_model/conversion.rb
include ActiveModel::Conversion
def persisted?
false
end
会完成这个技巧,同样适用于Rails 4.2