Reputation: 4964
I see that I can filter keys from Rails logs here, but it's not entirely clear how I can filter a key that is nested inside the parameter hash.
My params hash looks like this:
{"download"=>{"attachment_id"=>"54039", "data"=>"data:image/png;base64,iVBORw0..."}}
Where params[:download][:data]
is a base64 string. It is a large amount of data and I would like to remove it from my logs.
Is this possible?
I'm using Rails 4.0.4
Upvotes: 9
Views: 3451
Reputation: 1683
Simply put this in application.rb:
config.filter_parameters += [:data]
This would filter nested [:data] keys also.
In rails 5, you can define hierarchy of the key:
config.filter_parameters += ["download.data"]
This would filter all the [:data] keys which have [:download] as the immediate parent.
Upvotes: 15
Reputation: 11
I guess the most straight-forward way is to monkeypatch Rails code for parameter filtering in your config/initializers/filter_parameter_logging.rb
:
# monkeypatch to filter nested parameters
class ActionDispatch::Http::ParameterFilter::CompiledFilter
def call(original_params, path = [])
filtered_params = {}
original_params.each do |key, value|
if regexps.any? { |r| key =~ r || (path + [key]).join('/') =~ r }
value = ActionDispatch::Http::ParameterFilter::FILTERED
elsif value.is_a?(Hash)
value = call(value, path + [key])
elsif value.is_a?(Array)
value = value.map { |v| v.is_a?(Hash) ? call(v, path + [key]) : v }
elsif blocks.any?
key = key.dup
value = value.dup if value.duplicable?
blocks.each { |b| b.call(key, value) }
end
filtered_params[key] = value
end
filtered_params
end
end
and then:
Rails.application.config.filter_parameters += ['download/data']
Upvotes: 1