1

我在我的应用程序中使用 thumbs_up gem,我试图找出在迭代时在控制器中保存投票的最佳方法。

这是我的模型:

class Vendor < ActiveRecord::Base
    has_many    :inventory_items
    has_many    :items, through: :inventory_items
    has_many    :shopping_lists, through: :inventory_items

    acts_as_voteable
end

我当前的控制器:

def vote_for_vendor
    # not sure what to put in here
end

def vote_against_vendor
    # not sure what to put in here
end

我目前的看法:

<% provide(:title, 'Stores') %>

<table class="table table-condensed table-hover">

<tr>
    <th>Name</th>
    <th>Address</th>
    <th>Favorite?</th>
</tr>

    <% @vendors.each do |v| %>
<tr>

    <td><%= v.name %></td>
    <td><%= v.address %></td>
    <td>
        <% if current_user.voted_for(v) %>
            <%= link_to 'unlike', vote_against_vendor_vendors_path(vendor_id: v.id), :remote => true %>
        <% else %>
            <%= link_to 'like', vote_for_vendor_vendors_path(vendor_id: v.id), :remote => true %>
        <% end %>
    </td>
</tr>

</table>

我见过的大多数示例都用于params([])将相关信息传递给控制器​​。我真的没有参数,因为这只是显示所有供应商的索引页面。如何在迭代时使用此 gem 保存选票?提前致谢!

在 MrYoshi 的帮助下更新了控制器

class VendorsController < ApplicationController

    def index
        @vendors = Vendor.all
    end

    def vote_for_vendor
        vendor = Vendor.find(params[:vendor_id])
        current_user.vote_for(vendor)

        respond_to do |format|
            format.js
        end
    end

    def vote_against_vendor
        vendor = Vendor.find(params[:vendor_id])
        current_user.vote_against(vendor)

        respond_to do |format|
            format.js
        end
    end
end

我的路线:

resources :vendors do
    collection { post :vote_for_vendor }
    collection { post :vote_agaist_vendor }
  end

当前服务器错误

在 2013-09-06 10:07:29 -0700 开始 GET "/vendors/vote_for_vendor?vendor_id=4" for 127.0.0.1

AbstractController::ActionNotFound(找不到 VendorsController 的操作“显示”):

............

在救援/布局中渲染 /Users/#Myname/.rvm/gems/ruby-2.0.0-p195/gems/actionpack-3.2.13/lib/action_dispatch/middleware/templates/rescues/unknown_action.erb (0.5ms)

4

2 回答 2

1

我给你你想要的开始,你将能够自己做剩下的我认为:

看法:

<% if current_user.voted_for(v) %>
  <%= link_to 'unlike', vote_against_vendor_vendors_path(vendor_id: v.id), :remote => true %>
<% else %>
  <%= link_to 'like', vote_for_vendor_vendors_path(vendor_id: v.id), :remote => true %>
<% end %>

控制器:

def vote_for_vendor
  vendor = Vendor.find(params[:vendor_id])
  current_user.vote_for(vendor)

  render :nothing => true
end

既然你在上面有这个,那 vote_against 就很容易猜到了;)

于 2013-09-05T20:46:16.047 回答
0

对于您的“当前服务器错误”(AbstractController::ActionNotFound (The action 'show' could not be found for VendorsController):),您需要将成员路由添加到您的config/routes.rb文件中,如下所示:

resources :vendors do
  member do
    post 'vote_for_vendor'
    post 'vote_against_vendor'
  end
end

您当前正在使用收集路由,这些路由适用于不需要特定 ID 才能工作的资源。我强烈推荐阅读 Rails Guide 的路线:

Rails 路线指南文档

于 2013-09-08T14:54:13.233 回答