3

这是我的代码:

订单控制器类

def create
  @order = Order.new(params[:order])
    if @order.purchase
      work = GATEWAY.store(credit_card, options)
      result = work.params['billingid']
      current_user.update_attributes(:billing_id => result)
    end
  end
end

billingid通过运行返回GATEWAY.store(credit_card, options) 我正在尝试将此返回的内容保存billingid:billing_id用户模型中的列中。是否无法从非 UsersController 更新用户模型的属性?

简单地说,是不是不能从模型#2 的控制器更新模型#1 的属性?

谢谢

更新:在下面的人的帮助下,我能够验证两件事:1. result = work.params ['billingid'] 返回字符串 2. 我能够从任何控制器保存到不同的模型中

但是,即使我有 attr_accessible :billing_id 我仍然无法将结果保存到 User 表的 billing_id 列中。我成功地将结果保存在 Store 表的 store_name 列中,所以我不知道阻止我保存的用户模型是什么。

我跑了,

@mystore = Store.find(current_user)
@mystore.store_name = result            
@mystore.save

它是成功的。但,

@thisuser = User.find(current_user)
@thisuser.billing_id = result
@thisuser.save

即使 attr_accessible 设置正确,这也会失败。除了 attr_accessible 之外,还有什么可以阻止保存某些属性?感谢大家!

更新 2:用户模型

需要“摘要”

类用户 < ActiveRecord::Base

has_one :store
has_many :products
attr_accessor :password
# attr_accessible was commented out completely just to check as well. Neither worked
attr_accessible :name, :email, :password, :password_confirmation, :username, :billing_id
validates :name,  :presence => true,
                :length   => { :maximum => 50 }

validates :email, :presence => true,
                :format   => { :with => email_regex },
                :uniqueness => { :case_sensitive => false } 
validates :password, :presence     => true,
                   :confirmation => true,
                   :length       => { :within => 6..40 } 

username_regex = /^([a-zA-Z0-9]{1,15})$/

before_save :encrypt_password

def has_password?(submitted_password)
    encrypted_password == encrypt(submitted_password)
end
private
def encrypt_password
  self.salt = make_salt if new_record?
  self.encrypted_password = encrypt(password)
end

def encrypt(string)
  secure_hash("#{salt}--#{string}")
end

def make_salt
  secure_hash("#{Time.now.utc}--#{password}")
end

def secure_hash(string)
  Digest::SHA2.hexdigest(string)
end

结束结束

更新最终:使用@thisusers.errors 的解决方案,我发现它正在尝试在此请求期间验证密码的存在。一旦我将其注释掉,它就会毫无问题地保存。我不确定为什么会这样,但我会从这里开始。谢谢大家,尤其是。dmarkow!

4

1 回答 1

3

从控制器更新任意数量的模型应该没有问题。

  1. 确保它work.params['billingid']实际上包含一个值。

  2. 你的User模型可能有一些属性标记为attr_accessible(因为你有current_user,我假设你有身份验证,这通常意味着需要默认保护你的模型的属性)。如果是这种情况,这意味着只有那些属性可以通过批量分配(例如使用update_attributes)来更改。要么添加billing_id到属性列表中attr_accessible,要么不使用批量分配。(相反,您只需执行current_user.billing_id = resultthen current_user.save

编辑:问题最终是User模型上的验证错误。始终确保检查user.errors何时user.save返回 false。

于 2011-04-08T06:37:43.683 回答