查找多对多关系的查询推进

时间:2013-04-15 05:03:21

标签: php orm schema relationship propel

我是推进新手。 我面临一个问题,即从两个表中获取所有记录,这些记录具有多对多关系。

我有一个用户和组表。和连接表user_group。

用户和群组有多对多的关系

i并使用follow方法在单个查询中查找所有相关数据。

schema.xml文件

<table name="user" phpName="User" idMethod="native">
    <column name="id" type="INTEGER" primaryKey="true" autoIncrement="true" required="true" />
    <column name="name" type="VARCHAR" size="100" required="true" />
    <column name="email" type="VARCHAR" size="100" required="true" />
    <column name="age" type="INTEGER" required="true" />
    <column name="gender" type="VARCHAR" size="50" required="true" />
    <column name="company" type="VARCHAR" size="100" required="true" />
    <column name="address" type="VARCHAR" size="100" required="true" />
    <column name="country" type="VARCHAR" size="100" required="true" />
    <column name="mobileno" type="DOUBLE" required="true" />
    <column name="comment_about" type="VARCHAR" size="200" required="true" />
    <foreign-key foreignTable="post" name="post" phpName="postWriter">
        <reference local="id" foreign="user_id" />
    </foreign-key>
</table>

<table name="group">
    <column name="id" type="INTEGER" primaryKey="true" autoIncrement="true" />
    <column name="name" type="VARCHAR" size="32" />
</table>


<table name="user_group" isCrossRef="true">
    <column name="user_id" type="INTEGER" primaryKey="true" />
    <column name="group_id" type="INTEGER" primaryKey="true" />
    <foreign-key foreignTable="user">
        <reference local="user_id" foreign="id" />
    </foreign-key>
    <foreign-key foreignTable="group">
        <reference local="group_id" foreign="id" />
    </foreign-key>
</table>

并且我尝试找到像这样的相关数据

$userObj = UserQuery::create()
       ->join('Group')
       ->find();

但是上面的查询给我一个致命的错误

Fatal error: Uncaught exception 'PropelException' with message 'Unable to execute SELECT statement [SELECT user.id, user.name, user.email, user.age, user.gender, user.company, user.address, user.country, user.mobileno, user.comment_about FROM `user` INNER JOIN `` ON ()  
请帮助我,我们可以解决这个问题。

1 个答案:

答案 0 :(得分:3)

你不能直接加入多对多关系,因为在MySQL中没有这样的东西。你可以做两件事之一......

如果您已经有User个对象,那么您可以简单地&#34;得到&#34;相关群组这样:

$relatedGroups = $userObject->getGroups();

如果您还没有User对象,并且想要填充所有记录(用户和群组),那么我认为您可以这样做:

$users = UserQuery::create()
           ->join('User.UserGroup')
           ->join('UserGroup.Group')
           ->with('Group')  // this line hydrates Group objects as well as Users
           ->find();

现在,在您的代码中,您可以遍历User并获取每个Group s而无需额外的数据库命中:

foreach ($users as $user) {
  $user->getGroups();
  // normally this would be an extra DB hit, but because we used "->with('Group')"
  // above in the query, the objects are already hydrated.
}

希望这会有所帮助。有info on minimizing queries使用&#34; with()&#34;在Propel网站上info on many-to-many relationships(带有查询示例)。