1

如何制作模型,连接数据库中的三个表?我的数据库结构是:

  • 用户
    • ID
    • 其他领域
  • 用户信息
    • ID
    • users_id - 'users' 表的外键
    • 其他领域
  • users_credentials
    • ID
    • users_id - 'users' 表的外键
    • 其他领域

以前,我想在一个模型中绑定 2 个表,所以我使用了 addRelatedEntity 方法。这是我的代码:

class Model_UserInfo extends Model_Table{
    public $entity_code = 'user_info';
    function init(){
        parent::init();
        $this->addField('phone')->caption('Nr tel');
        $this->addField('users_id');
    }
    function addRelation(){
        $this->addRelatedEntity('i','users','users_id','left outer');
    }

}

然后我在其他文件中扩展它 -

class Model_User extends Model_UserInfo{
    function init(){
        parent::init();
        parent::addRelation();

        $this->newField('name')->caption('Imie')->mandatory(true)->relEntity('i','name');
    }

}

效果很好。但是,如果我想将 3 个表绑定到一个模型中怎么办?我不能扩展 2 个类。有没有办法在 Model_User 中使用 addRelatedEntity,并引用 Model_UserInfo 和 Model_Credentials?

4

1 回答 1

1

您可能需要反转联接并从由其他 2 个表联接的“用户”表开始,尽管只要您获得正确的查询,这并不重要。

首先,添加$this->debug();到模型的初始化中。当您将调试连接、更新等时,这将对您有很大帮助。

class Model_User extends Model_Table {
    public $entity_code='users';
    function init(){
        parent::init();
        $this->newField('name')
            ->caption('Imie')
            ->mandatory(true);
    }
}

class Model_User_Combined extends Model_User {
    function init(){
        parent::init();

        $this->addRelatedEntity('info','users_info','inner','related');
        $this->addRelatedEntity('cred','users_credentials','inner','related');

        $this->addField('phone')->caption('Nr tel')->relEntity('info');
        $this->addField('password')->caption('Parol')->relEntity('cred');
    }
}

与您现在拥有的解决方案相比,这使用“用户”作为主表并将附加表作为“相关”连接。

您还将受益于继承,并Model_User为您添加一些基本的用户字段。

于 2012-01-11T18:39:29.003 回答