Despite the typical enormous flexibility of Rails functions, sometimes I find a method that is not quite flexible enough. One has several options:
- Write a wrapper that calls the original function.
- Write a completely separate implementation.
- Override the method in a subclass (this can call the super, so it's a bit like #1)
- Override the method in the original class by reopening the class.
Here's a concrete example:
Since my API is used for sending and receiving data from a client web application (based on
EmberJS), I wanted to send an API key with each main page load, and then all subsequent Ajax calls would use this key. All this happens behind the scenes.
But I ran into a problem. How am I to send the API key in the web page served by my test suite (
Jasminerice)?
I'd prefer to not muck with the Jasminerice source code as this will make it a pain to upgrade each new release. In stead I decided to use a helper that Jasminerice was already using, and just provide a new implementation of the built in crsf_meta_tags helper, which could also serve my API's crsf-token in addition to the built in one Rails uses.
This required #4 from the above list, overriding the method in the original class. This is necessary for Jasminerice to use my implementation. #1 and #2 don't work because Jasminerice won't call a method it doesn't know about. #3 won't work because Jasminerice won't have the subclass in its scope (say I put it in my own ApplicationHelper class, which would work for my local rails app, but not inside Jasminerice).
That left me with overriding the original implementation. Here's my code:
module ActionView
module Helpers
module CsrfHelper
alias_method :orig_csrf_meta_tags, :csrf_meta_tags
# I override this function so that I can add my
# json_csrf_token tag as well
def csrf_meta_tags
api_key = Rack::Utils.escape_html ApiKey.create.access_token
json_tag = ""
[orig_csrf_meta_tags, json_tag].join("\n").html_safe
end
end
end
end
In the above, I approximated a wrapper by aliasing the original method and then invoking it, adding my own key to the mix.
I would only recommend approach #4 when one doesn't have access to or doesn't want to modify some code that uses the function for which a substitute implementation is desired.
There is one main drawback though. Any other code that relies on the original implementation will break (it won't be possible for only some components to use the new implementation).
Side note:
Another idea I had was to somehow customize the Jasminerice behavior through its Railtie configuration. Although I wasn't able to find a way to do this. If anyone has suggestions, I'd be interested to here.
That's it for now.
Kevin