问题
I currently have a controller capturing some html from TinyMCE on the front end. If I tinker with firebug it is possible to submit script tags and inject alert messages etc on to the screen.
edit: Currently I am fixing this in the model by using the sanitize helper:
require 'action_view'
class NotesController < AuthApplicationController
include ActionView::Helpers::SanitizeHelper
...
def update
params[:note][:content] = sanitize(params[:note][:content],
:tags => %w(a object p param h1 h2 h3 h4 h5 h6 br hr ul li img),
:attributes => %w(href name src type value width height data) );
@note.update_attributes(params[:note])
This feels messy in the controller. Is there a better way? I.e. somehow integrate this ActiveRecord so I can easily specify to do this to this and other fields before saving in a similar way to validation?
Thanks for any suggestions.
edit:
Making some progress here.
Under my /Libs I have
module SanitizeUtilities
def sanitize_tiny_mce(field)
ActionController::Base.helpers.sanitize(field,
:tags => %w(a b i strong em p param h1 h2 h3 h4 h5 h6 br hr ul li img),
:attributes => %w(href name src type value width height data) );
end
end
Then in my Models the code collapses to
class MyModel < ActiveRecord::Base
include ::SanitizeUtilities
...
before_save :sanitize_content
...
def sanitize_content
self.content = sanitize_tiny_mce(self.content)
end
end
This seems to strip out unwanted markup without too much fuss.
Pretty new to rails so nervous I might be doing something wrong. Can anybody see potential drawbacks here?
Thanks again
回答1:
I think the way you are doing it is fine, but if you are using before_save
then you could potentially still fail validations (since before_save
is called after validations). Also, you don't necessarily have to put it into it's own module, it could just be a private method on your class.
Something like:
class MyModel < ActiveRecord::Base
before_validation :sanitize_content, :on => :create
private
def sanitize_content
self.content = sanitize_tiny_mce(self.content)
end
def sanitize_tiny_mce(field)
ActionController::Base.helpers.sanitize(field,
:tags => %w(a b i strong em p param h1 h2 h3 h4 h5 h6 br hr ul li img),
:attributes => %w(href name src type value width height data) );
end
end
回答2:
This question seems to be answered but for anyone coming to this you might want to consider using custom mutators to make this more transparent. Something like:
class MyModel < ActiveRecord::Base
def content= content
write_attribute(:content, sanitize_tiny_mce(content)
end
private
def sanitize_tiny_mce content
ActionController::Base.helpers.sanitize(field,
:tags => %w(a b i strong em p param h1 h2 h3 h4 h5 h6 br hr ul li img),
:attributes => %w(href name src type value width height data)
);
end
end
This will ensure the content is sanitized any time it's changed.
来源:https://stackoverflow.com/questions/8923695/how-best-to-sanitize-fields-in-ruby-on-rails