0

オームを使用して、Redisで多対多の関係を構築しようとしています。例として、BookモデルとAuthorモデルを次のように定義しています。

class Book < Ohm::Model
  attribute :title
  set :authors, Author
end

class Author < Ohm::Model
  attribute :last_name
  attribute :first_name
  set :books, Book
end

私ができるようにしたいのは、オームのインデックス機能を活用して、次のような検索を実行することです。

require 'test_helper'

class ManyToManyRelationshipTest < ActiveSupport::TestCase

  setup do
    @dave_thomas = FactoryGirl.build(:dave_thomas)
    @andy_hunt = FactoryGirl.build(:andy_hunt)
    @chad_fowler = FactoryGirl.build(:chad_fowler)

    @pick_axe = FactoryGirl.build(:pick_axe)
    @pick_axe.authors << @dave_thomas 
    @pick_axe.authors << @andy_hunt
    @pick_axe.authors << @chad_fowler

    @thinking_and_learning = FactoryGirl.build(:pragmatic_thinking_and_learning)
    @thinking_and_learning.authors << @andy_hunt
  end

  test "find a Book by Author" do
    assert Book.find(:author_id => @andy_hunt.id).include?(@pick_axe)
    assert Book.find(:author_id => @andy_hunt.id).include?(@thinking_and_learning)
  end

  test "find Authors by Book" do
    assert Author.find(:book_id => @pick_axe.id).include?(@dave_thomas)
    assert Author.find(:book_id => @pick_axe.id).include?(@andy_hunt)
    assert Author.find(:book_id => @pick_axe.id).include?(@chad_fowler)
  end
end

上記のコードでは、次の例外が発生します:Ohm :: Model :: IndexNotFound:Index:author_idnotfound。(著者に与えられた本を見つけようとするとき)

ここで説明されているようにカスタムインデックスを作成しようとしました:http://ohm.keyvalue.org/examples/tagging.html、そしてここで:http: //pinoyrb.org/ruby/ohm-inside-tricks

残念ながら、モデルが最初に作成されたときにインデックスが作成されているように見えます。つまり、セットは空です(私が正しく理解していれば、モデルにIDが割り当てられるまで、セットはオームでは使用できません)。

私は本当に助けや提案に感謝します!

4

1 に答える 1

3

この場合の解決策は少し自動化されていません。

require "ohm"

class Book < Ohm::Model
  attr_accessor :authors

  attribute :title

  index :authors
end

class Author < Ohm::Model
  attribute :name
end

###

require "test/unit"

class BooksTest < Test::Unit::TestCase
  def test_books_by_author
    dave = Author.create(name: "Dave")
    andy = Author.create(name: "Andy")
    dhh = Author.create(name: "DHH")

    pickaxe = Book.create(title: "Pickaxe", authors: [dave.id, andy.id])

    assert_equal pickaxe, Book.find(authors: dave.id).first
    assert_equal pickaxe, Book.find(authors: andy.id).first

    assert_equal nil, Book.find(authors: dhh.id).first
  end
end

意味がありますか?

于 2011-11-20T14:46:10.003 に答える