I'm reading the Rails AntiPatterns book, which I'm enjoying a lot. At one point, the author talks about the goodness of composition and it gives an example where an Order class gives the responsibility of conversion (to other formats) to another class, called OrderConverter. The classes are defined as:
class Order < ActiveRecord::Base
def converter
OrderConverter.new(self)
end
end
class OrderConverter
attr_reader :order
def initialize(order)
@order = order
end
def to_xml
# ...
end
def to_json
# ...
end
...
end
And then the author says: "In this way, you give the conversion methods their own home, inside a separate and easily testable class. Exporting the PDF version of an order is now just a matter of call-ing the following:"
@order.converter.to_pdf
Regarding to this, my questions are:
Why do you think that order object is preceded by an @? Shouldn't it be created as:
order = Order.new
And then convert by doing:
order.converter.to_pdf
- Why is the
attr_reader :order
line needed in the OrderConverter? It's so we can access the order from an OrderConverter object? Is it needed to be able to doorder.converter.to_pdf
? We could do that without that attr_reader right?
An instance of
Order
is passed to theinitialize
method and stored as an instance variable (using the @ syntax :@order
). This way, this variable can be accessed from other methods in the converter (the variable has the instance scope) :The attr_reader is not strictly required, but is a convenient way to access the Order object from other methods :
It will also allow you to get the reference to the order out of any converter instance :