我只是发现 Laravel,并进入 Eloquent ORM。但我在下面的一个小问题上绊倒了。

我有三个具有以下结构和数据的表:

words

id | language_id | parent_id | word
-------------------------------------------
1  | 1           | 0         | Welcome
-------------------------------------------
2  | 2           | 1         | Bienvenue
-------------------------------------------

documents

id | title
---------------------
1  | Hello World
---------------------

documents_words

document_id | word_id
--------------------------
1           | 1
--------------------------

如您所见,我们在 words 表中有父/子关系。

文档模型定义如下
class Documents extends Eloquent {

protected $table = 'documents';

public function words()
{
    return $this->belongsToMany('Word', 'documents_words', 'document_id');
}

}

和词模型:
class Word extends Eloquent {

protected $table = 'words';

public function translation()
{
    return $this->hasOne('Word', 'parent_id');
}


}

现在我的问题是我想检索已翻译单词的文档,所以我认为这样做可以:
$documents = Documents::whereHas('words', function($q)
{
    $q->has('translation');
})
->get();

但是我得到了 0 个结果,所以我检查了 Eloquent 生成和使用的查询:
 select * from `prefix_documents`
 where
 (
select count(*) from
`prefix_words`

inner join `prefix_documents_words`

on `prefix_words`.`id` = `prefix_documents_words`.`word_id`

where `prefix_documents_words`.`document_id` = `prefix_documents`.`id`

and (select count(*)
from `prefix_words`
where `prefix_words`.`parent_id` = `prefix_words`.`id`) >= 1

  ) >= 1

问题是它不使用表的别名,我的查询应该更像这样才能工作(并且确实如此):
 select * from `prefix_documents`
 where
 (
select count(*) from
`prefix_words`

inner join `prefix_documents_words`

on `prefix_words`.`id` = `prefix_documents_words`.`word_id`

where `prefix_documents_words`.`document_id` = `prefix_documents`.`id`

and (select count(*)
from `prefix_words` as `w`
where `w`.`parent_id` = `prefix_words`.`id`) >= 1

  ) >= 1

但是我怎么能用 Eloquent ORM 做到这一点呢?

非常感谢您的帮助,希望我足够清楚。

最佳答案

在 Word 模型中,更改

public function translation()
{
    return $this->hasOne('Word', 'parent_id');
}


public function translation()
{
    return $this->belongsToMany('Word', 'words', 'id', 'parent_id');
}

通过这种方式,我们告诉 Laravel 在使用您的查询时在 eloquent 中创建别名。我没有测试其他情况,但我认为它会起作用。

关于php - 在 Laravel 4.1 中使用 Eloquent ORM 在同一张表中查询关系,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/21683035/

10-13 08:48