开发者

About presenter pattern in rails. is a better way to do it?

开发者 https://www.devze.com 2022-12-29 22:16 出处:网络
I have in my model: def presenter @presenter ||= ProfilePresenter.new(self) @presenter end The ProfilePresenter is a class that has methods like, get_link(), get_img_url(size), get_sex(), get_relat

I have in my model:

def presenter
   @presenter ||= ProfilePresenter.new(self)
   @presenter
end

The ProfilePresenter is a class that has methods like, get_link(), get_img_url(size), get_sex(), get_relationship_status() and other methods that have not to do with the model, not even with the controller but is used multiple times in the view.

So now i u开发者_开发技巧se them by doing this:

Profile.presenter.get_link
# or
Profile.presenter.get_img_url('thumb') # returns the path of the image. is not used to make a db query

Sincerelly i think i missed out the real concept of presenters.. but this is what m trying to archive, how can be called this?


Normally this sort of thing is handled via helper methods, such as:

def profile_link(profile)
  profile.link ? content_tag(:a, h(profile.name), :href => profile.link) : 'No profile'
end

It is unfortunate you cannot layer in Presenter-style helper methods that extend a Model at view time. They need to be called in a procedural manner with a parameter, kind of anti-OO.

The Presenter approach is not fully supported in the Rails MVC area because it needs to bind to a view in order to have access to the various helper methods required to properly render content, plus information about the session that may impact the presentation.

A more robust approach might be to do something like this:

class ProfilePresenter
  def initialize(view, profile)
    @profile = profile
    @view = view

    yield(self) if (block_given?)
  end

  def link
    @profile.link ? @view.content_tag(:a, @view.h(profile.name), :href => @profile.link) : 'No profile'
  end

  def method_missing(*args)
    @profile.send(*args)
  end
end

This would show up in your view as something like:

<% ProfilePresenter.new(self, @profile) do |profile| %>
<div><%= profile.link %>
<% end %>

You can simplify calling this by making a helper method that does something mildly crazy like:

def presenter_for(model)
  "#{model.class}Presenter".constantize.new(self, model) do |presenter|
    yield(presenter) if (block_given?)
  end
end

This means you have a much simpler call:

<% presenter_for(@profile) do |profile| %>
<div><%= profile.link %>
<% end %>
0

精彩评论

暂无评论...
验证码 换一张
取 消