我是
Ruby的新手,想知道为什么我在这种情况下使用简单的Sinatra应用程序中的’mail’gem获得错误:
post "/email/send" do @recipient = params[:email] Mail.deliver do to @recipient # throws error as this is undefined from 'server@domain.com' subject 'testing sendmail' body 'testing sendmail' end erb :email_sent end
然而,这工作正常:
post "/email/send" do Mail.deliver do to 'me@domain.com' from 'server@domain.com' subject 'testing sendmail' body 'testing sendmail' end erb :email_sent end
我怀疑这与块范围和我对它的误解有关.
解决方法
正如Julik所说,Mail#delivery使用#instance_exec执行你的块,它只是在运行块时改变自身(否则你将无法在块内调用#to和#from方法).
你真正可以做的是使用块是封闭的事实.这意味着它“记住”它周围的所有局部变量.
recipient = params[:email] Mail.deliver do to recipient # 'recipient' is a local variable,not a method,not an instance variable ... end
再简单地说:
>实例变量和方法调用依赖于self> #instance_exec改变自我;>局部变量不依赖于self并且被块记住,因为块是闭包.