5

1 つのモデルが 2 つのテーブルに分割され、それらの間で 1 対 1 のマッピングが行われている従来の PostgreSQL データベースがあります。

CREATE TABLE auth_user (
    id SERIAL,
    username VARCHAR(30),
    email VARCHAR(75),
    password VARCHAR(64),
    first_name VARCHAR(75),
    last_name VARCHAR(75)
)
CREATE TABLE user_profile (
    user_id INTEGER REFERENCES auth_User.id,
    phone VARCHAR(32)
)

残念ながら、データベース構造を変更できません。

単品のSequelモデルとして使いたいです。データベースからのデータの取得は期待どおりに機能します。

class User < Sequel::Model
end

# Variant 1: using LEFT JOIN
#User.set_dataset DB[:auth_user].left_join(:user_profile, :user_id => :id)

# Variant 2: using two FROM tables
User.set_dataset DB[:auth_user, :user_profile]\
                   .where(:auth_user__id => :user_profile__user_id)

user = User[:username => "root"] # This works.

ただし、モデルの保存は失敗します。

user.set :first_name => "John"
user.save                        # This fails.

データセットの最初のバリアント (を使用left_join) を使用すると、" Need multiple FROM tables if updating/deleting a dataset with JOINs" エラーが発生します。2 番目のバリアントを使用しても失敗します: " PG::Error: ERROR: column "phone" of relation "auth_user" does not exist LINE 1: ..."email" = 'nobody@example.org', "password" = '!', "phone"..."

Sequel に 2 つの UPDATE ステートメントをシームレスに発行させる方法はありますか? (同じ質問が INSERT にも当てはまります)。

4

1 に答える 1

4

結合されたデータセットを使用する Sequel モデルを作成できますが、そのようなモデルを簡単に保存する方法はありません。

個人的には、many_to_one の関係、ネストされた属性、および必要なフックを使用します。

class UserProfile < Sequel::Model(:user_profile)
end
class User < Sequel::Model(:auth_user)
  many_to_one :user_profile, :key=>:id, :primary_key=>:user_id
  plugin :nested_attributes
  nested_attributes :user_profile

  def phone
    user_profile.phone
  end

  def phone=(v)
    user_profile.phone = v
  end

  def user_profile
    if s = super
      s
    else
      self.user_profile_attributes = {}
      super
    end
  end

  def before_destroy
    user_profile.destroy
    super
  end

  def before_create
    user_profile
    super
  end

  def after_update
    super
    user_profile.save
  end
end

私はそれをテストしていませんが、そのようなものはうまくいくはずです。問題がある場合は、続編トークの Google グループに投稿する必要があります。

于 2012-06-14T16:20:47.110 に答える