7

DataMapper ORMの初心者なので、複雑なクエリについて質問があります。

まず、簡略化されたデータオブジェクトを次に示します。

class User  
    property :id, Serial
    property :login, String

    has n, :actions
end

class Item
    property :id, Serial
    property :title

    has n, :actions
  has n, :users, :through => :actions
end

class Action
    property :user_id, Integer
    property :item_id, Integer

    belongs_to :item
    belongs_to :user
end

db内のデータは次のようになります。

+ ------- + + ------- + + ------- +
| Users   | | Items   | | Actions |
+ ------- + + ------- + + ------- +
| 1  | u1 | | 3  | i1 | | 1  | 4  |
| 2  | u2 | | 4  | i2 | | 1  | 3  |
| ....... | | 5  | i3 | | 1  | 4  |
+ ------- + | ....... | | 1  | 5  |
            + ------- + | 1  | 6  |
                        | 1  | 3  |
                        | ....... |
                        + ------- +

したがって、たとえば、ユーザー1はいくつかのアイテムをN回表示しました。そして、私が理解できないこと、アイテムを選択する方法とユーザーに関連するそれらのアクション量。

たとえば、ユーザー1の結果は次のようになります。

+ -------------------- |
| Items (item_id, num) |
+ -------------------- |
| 3, 2                 |
| 4, 2                 |
| 5, 1                 |
| 6, 1                 |
+ -------------------- +

私のニーズに一致するPSの通常のSQLクエリ:

SELECT i.id, i.title, COUNT(*) as 'num'
FROM actions a
JOIN items i on i.id = a.item_id
WHERE a.user_id = {USERID}
GROUP by a.id
ORDER BY num DESC
LIMIT 10;

それで、これを行う方法と複雑なデータマッパークエリに関するドキュメントはありますか?

4

2 に答える 2

12

誰かがまだ疑問に思っている場合:

Action.aggregate(:item_id, :all.count, :user_id => 1, :order => [item_id.asc])

のようなものを返します

[ [ 3, 2 ],
  [ 4, 2 ],
  [ 5, 1 ],
  [ 6, 1 ]
]

ここで all.count で注文する方法はありませんが、必要なデータが得られます:)

于 2010-12-13T19:26:06.893 に答える
2

私の知る限り、datamapper またはそのプラグインには group by 演算子はありません。ある場合は、集計関数 (count、min、max、avg) と共に dm-aggregates に入ります。そのため、SQL を使用せずに 1 つのクエリで必要なものを複製することは困難です。

次のようなことを試すことができます:

require 'dm-aggregates'

Item.all.map do |item|
  [item.title,item.actions.count(:user_id=>@user_id)]
end

ただし、SQL を取得して fn でラップすることも簡単にできます。

class User
  def item_views
  repository.adapter.query "SELECT i.id, i.title, COUNT(*) as 'num'
    FROM actions a
    JOIN items i on i.id = a.item_id
    WHERE a.user_id = {USERID}
    GROUP by a.id
    ORDER BY num DESC
    LIMIT 10;"
  end
end

repository.adapter.query構造体の配列を返すので、次のようなことができます

user.item_views[0].title
于 2009-08-11T20:07:54.473 に答える