framework
framework copied to clipboard
Eager Loading a relation that calls another relation returns incorrect results
Laravel Version
11.7.0
PHP Version
8.3.7
Database Driver & Version
PostgreSQL 15.7 and MySQL 8.0.37
Description
When eager loading a model relationships, the results differ from when they are lazy loaded. This issue occurs whenever a Relation is called inside the definition of another Relation, but only when eager loading is used on the main one.
After investigation I realized that the cause lies in Illuminate\Database\Eloquent\Builder@eagerLoadRelation:
// First we will "back up" the existing where conditions on the query so we can
// add our eager constraints.
$relation = $this->getRelation($name);
$relation->addEagerConstraints($models);
// Then we will merge the wheres that were on the
// query back to it in order that any where conditions might be specified.
$constraints($relation);
Which calls the Illuminate\Database\Eloquent\Builder@getRelation method:
// We want to run a relationship query without any constraints so that we will
// not have to remove these where clauses manually which gets really hacky
// and error prone. We don't want constraints because we add eager ones.
$relation = Relation::noConstraints(function () use ($name) {
try {
return $this->getModel()->newInstance()->$name();
} catch (BadMethodCallException) {
throw RelationNotFoundException::make($this->getModel(), $name);
}
});
Which gets to the root cause of the problem in Illuminate\Database\Eloquent\Relations\Relation@noConstraints:
$previous = static::$constraints;
static::$constraints = false;
// When resetting the relation where clause, we want to shift the first element
// off of the bindings, leaving only the constraints that the developers put
// as "extra" on the relationships, and not original relation constraints.
try {
return $callback();
} finally {
static::$constraints = $previous;
}
The method Illuminate\Database\Eloquent\Relations\Relation@noConstraints is called during eager loading and uses a boolean attribute to manage the constraints. However, this flag is static and seems to be causing the where clauses of other relations to be omitted, leading to incorrect results.
Steps To Reproduce
- Create the following schema
// 0001_01_01_000000_create_users_table.php
Schema::create('categories', function (Blueprint $table) {
$table->bigIncrements('id');
$table->unsignedBigInteger('user_id');
$table->foreign('user_id')->references('id')->on('users');
$table->text('name');
$table->timestamps();
});
Schema::create('examples', function (Blueprint $table) {
$table->bigIncrements('id');
$table->unsignedBigInteger('category_id');
$table->foreign('category_id')->references('id')->on('categories');
$table->text('name');
$table->boolean('restricted');
$table->timestamps();
});
- Create the following seeder:
$user = User::factory()->create();
$categories = [
Category::query()->create(['user_id' => $user->id, 'name' => 'Category 1']),
Category::query()->create(['user_id' => $user->id, 'name' => 'Category 2']),
Category::query()->create(['user_id' => $user->id, 'name' => 'Category 3']),
];
Example::insert([
['category_id' => $categories[0]->id, 'name' => 'Example 1', 'restricted' => false],
['category_id' => $categories[1]->id, 'name' => 'Example 2', 'restricted' => true],
['category_id' => $categories[2]->id, 'name' => 'Example 3', 'restricted' => false],
['category_id' => $categories[2]->id, 'name' => 'Example 4', 'restricted' => false],
['category_id' => $categories[2]->id, 'name' => 'Example 5', 'restricted' => true],
]);
User::factory()->create(); // another user just for demonstration
- Create a scope in the Example model:
class Example extends Model
{
// ...
/**
* The authenticated user should only have access to not restricted Examples
* or to the examples he owns.
*/
public function scopeHasAccess(Builder $query, ?User $user = null): Builder
{
return $query->where(
fn ($query) => $query->where('restricted', false)
->when(
$user !== null,
fn($query) => $query->orWhereIn('category_id', $user->categories->pluck('id'))
)
);
}
}
- Add the following relations to the models:
class User extends Authenticatable
{
// ...
public function categories(): HasMany
{
return $this->hasMany(Category::class);
}
}
class Category extends Model
{
// ...
public function examples(): HasMany
{
return $this->hasMany(Example::class)
->hasAccess(Auth::user());
}
}
- Authenticate:
Auth::login(User::find(1));
// Auth::login(User::find(2));
- Fetch all categories with their respective examples
dump('Authenticated user: '.Auth::user()->id);
Category::get()->each(
fn(Category $category) => dump(sprintf('- %s: %d examples', $category->name, $category->examples->count()))
);
// Authenticated user: 1
// - Category 1: 1 examples"
// - Category 2: 1 examples"
// - Category 3: 3 examples"
// ----------------------------
// Authenticated user: 2"
// - Category 1: 1 examples"
// - Category 2: 0 examples"
// - Category 3: 2 examples"
- Execute the code again but eager loading the examples relation:
dump('Authenticated user: '.Auth::user()->id);
Category::with('examples')->get()->each(
fn(Category $category) => dump(sprintf('- %s: %d examples', $category->name, $category->examples->count()))
);
// Authenticated user: 1
// - Category 1: 1 examples"
// - Category 2: 1 examples"
// - Category 3: 3 examples"
// ----------------------------
// Authenticated user: 2"
// - Category 1: 1 examples"
// - Category 2: 1 examples"
// - Category 3: 3 examples"
-
Expected behavior: The fetched relations should be consistent regardless of whether they are lazy or eager loaded.
-
Actual behavior:
- Without eager loading: The user of id 2 has access to 3 examples (correct)
- With eager loading: The user of id 2 has access to 5 examples (wrong)
Hey there, thanks for reporting this issue.
We'll need more info and/or code to debug this further. Can you please create a repository with the command below, commit the code that reproduces the issue as one separate commit on the main/master branch and share the repository here?
Please make sure that you have the latest version of the Laravel installer in order to run this command. Please also make sure you have both Git & the GitHub CLI tool properly set up.
laravel new bug-report --github="--public"
Do not amend and create a separate commit with your custom changes. After you've posted the repository, we'll try to reproduce the issue.
Thanks!
Here it is: https://github.com/allandantasdev/laravel-bug-report-51825/commit/ce9741abbe623a36d147e46dec66269532cf90b5
Additional info:
-
This is the query generated by Auth::user()->categories->pluck('id') at Example@scopeHasAccess:24 while lazy loading
-
And is the same query generated after trying to eagerloading Category::with('examples'):
Thank you for reporting this issue!
As Laravel is an open source project, we rely on the community to help us diagnose and fix issues as it is not possible to research and fix every issue reported to us via GitHub.
If possible, please make a pull request fixing the issue you have described, along with corresponding tests. All pull requests are promptly reviewed by the Laravel team.
Thank you!
I found a quick and dirty solution, in the constructor of Relation (beware that it breaks some other cases)
public function __construct(Builder $query, Model $parent)
{
$this->query = $query;
$this->parent = $parent;
$this->related = $query->getModel();
$this->addConstraints();
static::$constraints = true; // This
}
I've been working on getting a proper fix, but there doesn't seem to be a straight path forward as changing one thing breaks another one, this will likely require some debug_backtrace to fix this without breaking some test cases
I believe https://github.com/laravel/framework/pull/52461 have fixed this issue, please open a new issue if you still face the problem
Sorry, that PR doesn't address this issue at all, I was only talking about how using static causes this kind of issues
You can reopen it
// We want to run a relationship query without any constrains so that we will
// not have to remove these where clauses manually which gets really hacky
// and error prone. We don't want constraints because we add eager ones.
$relation = Relation::noConstraints(function () use ($name) {
try {
return $this->getModel()->newInstance()->$name();
} catch (BadMethodCallException $e) {
throw RelationNotFoundException::make($this->getModel(), $name);
}
});
@allandantasdev this makes sense because the conditions might imply columns from the model (other than the foreign key), that will not be in the query for the related model.
the solution might be to add the constraints on the collection of related models based on each model
protected function eagerLoadRelation(array $models, $name, Closure $constraints)
{
// First we will "back up" the existing where conditions on the query so we can
// add our eager constraints. Then we will merge the wheres that were on the
// query back to it in order that any where conditions might be specified.
$relation = $this->getRelation($name);
$relation->addEagerConstraints($models);
$constraints($relation);
///////////////////////////////////////////////// HERE
// Once we have the results, we just match those back up to their parent models
// using the relationship instance. Then we just return the finished arrays
// of models which have been eagerly hydrated and are readied for return.
return $relation->match(
$relation->initRelation($models, $name),
$relation->getEager(), $name
);
}
Sorry for the previous replies. Now we understood the real issue. This is called
$user->categories->pluck('id')
while the
static::$constraints
is false because of the eager load of the relation in which it is called, resulting in all categories being retrieved not only the categories from that user.
@Tofandel @allandantasdev
If the Relation had this function(which is doable via macros as static function):
/**
* Run a callback with constraints enabled on the relation.
*
* @param \Closure $callback
* @return mixed
*/
public static function yesConstraints(Closure $callback)
{
$previous = static::$constraints;
static::$constraints = true;
try {
return $callback();
} finally {
static::$constraints = $previous;
}
}
then the scope or condition could be written like this:
class Example extends Model
{
// ...
/**
* The authenticated user should only have access to not restricted Examples
* or to the examples he owns.
*/
public function scopeHasAccess(Builder $query, ?User $user = null): Builder
{
return $query->where(
fn ($query) => $query->where('restricted', false)
->when(
$user !== null,
function ($query) use ($user) {
$userCategories = $user->relationLoaded('categories') ?
$user->categories :
Relation::yesConstraints(function () use ($user) {
try {
return $user->categories();
} catch (BadMethodCallException $e) {
throw RelationNotFoundException::make($user, 'categories');
}
});
return $query->orWhereIn('category_id', $userCategories->pluck('id');); // also, this can be written with a sub select and the issue is avoided in that way
}
)
);
}
}
Can this solution be embedded in laravel somehow so the user does not need to handle it in the scope or relation definition?
UPDATE: https://github.com/laravel/framework/issues/51825#issuecomment-2419387066
@macropay-solutions I already tried this solution but it breaks some special cases
The withConstraints approach might be the easieast workaround to get into the core
@Tofandel Your code always set static:$constraints = true; https://github.com/laravel/framework/issues/51825#issuecomment-2179431011
Our suggestion sets it only once (with the previous value not with hard codded true) at the construct's end and not in that finally clause.
But if you say it breaks special cases, we believe you.
@Tofandel can you please share those special cases?
It will fail on those kind of relations because the Relation constructor is called twice in there and so it restores constraints too early
public function price_without_key_in_aggregates()
{
return $this->hasOne(HasOneOfManyTestPrice::class, 'user_id')->ofMany(['published_at' => 'MAX']);
}
public function price_with_shortcut()
{
return $this->hasOne(HasOneOfManyTestPrice::class, 'user_id')->latestOfMany(['published_at', 'id']);
}
public function teamMatesWithPendingRelation()
{
return $this->through($this->ownedTeams())
->has(fn (Team $team) => $team->members());
}
Just run the vendor/bin/phpunit tests on the repo with your changes and see how it goes, likely it will be very unreliable, I doubt where is the only method that needs this
@Tofandel @macropay-solutions There is another case that would be uncovered:
public function relationName(): HasMany|HasManyThrough
{
if ($this->exists && $this->children()->exist()) { // construct of Relation is called on eager loading relations in an existing model which I remember had issues also
return $this->hasManyThrough...; // construct of Relation is called
}
return $this->hasMany...; // construct of Relation is called
}
@marius-mcp Good catch. Then the whole Relation::noConstraints logic from \Illuminate\Database\Eloquent\Builder::getRelation is not fitting in...
PROPOSED SOLUTION
@Tofandel
Another solution that sadly can't be implemented via macros for older versions:
\Illuminate\Database\Eloquent\Relations\Relation
UPDATED the Relation construct (and all its children's constructs to pass down the resourceModel).
protected static ?string $noConstraintsForRelationName = null;
public function __construct(Builder $query, Model $parent, Model $resourceModel) // new resourceModel needed
{
$this->query = $query;
$this->parent = $parent;
$this->related = $query->getModel();
if (
'' !== (string)static::$noConstraintsForRelationName
|| '' !== (string)$resourceModel->nowEagerLoadingRelationNameWithNoConstraints
) {
/**
* 1st execution is for ExampleModel $exampleModel on 'rel' relation
* with nowEagerLoadingRelationNameWithNoConstraints = 'rel'
* and with $noConstraintsForRelationName = 'rel'
*/
/* 2nd execution is for UserModel $userModel on 'categories' relation
with nowEagerLoadingRelationNameWithNoConstraints = null
and with $noConstraintsForRelationName = 'rel' */
/* 1st execution is for ExampleModel $exampleModel on 'children' relation
with nowEagerLoadingRelationNameWithNoConstraints = null
and with $noConstraintsForRelationName = 'rel' */
/**
* 2nd execution is for ExampleModel $exampleModel on 'rel' relation
* with nowEagerLoadingRelationNameWithNoConstraints = 'rel'
* and with $noConstraintsForRelationName = 'rel'
*/
/* 3rd execution is for UserModel $userModel on 'categories' relation
with nowEagerLoadingRelationNameWithNoConstraints = null
and with $noConstraintsForRelationName = 'rel' */
static::$constraints =
static::$noConstraintsForRelationName !== $resourceModel->nowEagerLoadingRelationNameWithNoConstraints;
}
$this->addConstraints();
}
/**
* Run a callback with constraints disabled on the relation based on relationName.
*/
public static function noConstraints(\Closure $callback, ?string $relationName = null): mixed
{
$previous = static::$constraints;
$previousNoConstraintsForRelationName = static::$noConstraintsForRelationName;
if ('' !== (string)$relationName) {
static::$noConstraintsForRelationName = $relationName;
} else {
static::$constraints = false;
}
try {
return $callback();
} finally {
static::$constraints = $previous;
static::$noConstraintsForRelationName = $previousNoConstraintsForRelationName;
}
}
\Illuminate\Database\Eloquent\Builder
/**
* Get the relation instance for the given relation name (for eager loading)
*
* @param string $name
* @return \Illuminate\Database\Eloquent\Relations\Relation
*/
public function getRelation($name)
{
// We want to run a relationship query without any constrains so that we will
// not have to remove these where clauses manually which gets really hacky
// and error prone. We don't want constraints because we add eager ones.
$relation = Relation::noConstraints(function () use ($name) {
try {
$model = $this->getModel()->newInstance();
$model->nowEagerLoadingRelationNameWithNoConstraints = $name;
return $model->$name();
} catch (BadMethodCallException) {
throw RelationNotFoundException::make($this->getModel(), $name);
}
}, $name);
$nested = $this->relationsNestedUnder($name);
// If there are nested relationships set on the query, we will put those onto
// the query instances so that they can be handled after this relationship
// is loaded. In this way they will all trickle down as they are loaded.
if (count($nested) > 0) {
$relation->getQuery()->with($nested);
}
return $relation;
}
UPDATE
protected function getRelationWithoutConstraints($relation): Relation
{
return Relation::noConstraints(function () use ($relation) {
$model = $this->getModel();
/** @var Model $model */
$model->nowEagerLoadingRelationNameWithNoConstraints = $relation;
return $model->{$relation}();
}, $relation);
}
protected function getBelongsToRelation(MorphTo $relation, $type): BelongsTo
{
/** here it would work as before ! */
$belongsTo = Relation::noConstraints(function () use ($relation, $type) {
return $this->model->belongsTo(
$type,
$relation->getForeignKeyName(),
$relation->getOwnerKeyName()
);
});
$belongsTo->getQuery()->mergeConstraintsFrom($relation->getQuery());
return $belongsTo;
}
\Illuminate\Database\Eloquent\Concerns\HasRelationships
public ?string $nowEagerLoadingRelationNameWithNoConstraints = null;
The definition of the relation:
public function productsValueScope(): HasManyThrough
{
return $this->products()->where(
fn ($query) => $query->where('value', '>', 10)->when(
true,
fn($query) => $query->orWhereIn('id', Operation::query()->where('id', 2)->first()->children->pluck('id')->toArray())
)
);
}
RESULTS:
GET page=1&withRelations[0]=productsValueScope&limit=2
"1469.42 ms, sql: select count(*) as aggregate from `operations`",
"1.37 ms, sql: select * from `operations` limit 10 offset 0",
-- Operation::query()->where('id', 2)->first()
"1.04 ms, sql: select * from `operations` where `id` = 2 limit 1",
-- ->children->pluck('id')
"1 ms, sql: select * from `operations` where `operations`.`parent_id` = 2 and `operations`.`parent_id` is not null",
-- eager load
"1.71 ms, sql: select `products`.*, `operations_products_pivot`.`operation_id` as `laravel_through_key` from `products` inner join `operations_products_pivot` on `operations_products_pivot`.`product_id` = `products`.`id` where (`value` > 10 or `id` in (3)) and `operations_products_pivot`.`operation_id` in (1, 2, 3, 4, 5, 6, 7, 8, 9, 10)"
@crynobone we will not open a MR or PR so feel free to do it if you want to fix the issue.
@macropay-solutions
Another solution that sadly can't be implemented via macros for older versions:
The good thing is that if the relations are defined with
if ($this->exists && {{other relations calls}}) {
or no other relations are called after the relation is instantiated, then this bug is not affecting older versions.
For the ->load( function call on the existing model, the fix is to not use it until this gets in the core.
So there is a way of avoiding it.
I tested the change. Works also for me.
@allandantasdev Hello
Are you sure this code is correct ?
{
// ...
public function examples(): HasMany
{
return $this->hasMany(Example::class); // this ends by a semicolon , so how the ->hasAccess() will work ?
->hasAccess(Auth::user());
}
}```
@jkpeyi that is just a typo.
FYI We will not be issuing a merge request or pull request with this solution. We shared the solution to help the community but only if the community wants to be helped.
It would be pity to see here "closing this issue because it is too old" or something similar just like we saw happening in the past with other bugs that were not solved.
Please do not bury this under the carpet.
@taylorotwell do you see any uncovered situations by this solution https://github.com/laravel/framework/issues/51825#issuecomment-2419387066 ?
@macropay-solutions this will be buried as you said. Or would not @Tofandel ?
@macropay-solutions Why exactly would you not be issuing a PR? This seems very "here is a 'solution' have fun actually implementing and then fixing when it doesn't work"
Sorry but I'm not being paid to work on this kind of issues and do it of my own volition and free time, which I do not have any right now to take this on. If you want it fixed, you should really submit that PR yourself
@Tofandel We respect your point of view, as you should also respect ours. We spent 2 days (also not paid, and we are a team not just a dev) figuring out this solution after several months in which no one bothered to find one (thanks for your help as input by the way). If that is not enough, then we simply don't care.
The process of submitting PRs is way too complicated, we have to fork the repository and so on. Not to mention that we must follow the laravel community's codding standards which differ almost 180 degrees from ours.
We feel that someone with more experience in laravel PRs should take this solution and test it to see if all edge cases are covered.
The day will come for us to fork laravel (because we will be forced not because we want to) and then the fork will not be for submitting PRs.
@marius-mcp it is up to laravel team. They have a habit of "ghosting" proposals, solutions and issues from our experience.
We spent 2 days (also not paid, and we are a team not just a dev) figuring out this solution after several months in which no one bothered to find one
I did (even though this bug never affected me), spent 3 hours and simply dropped out when I got caught by the edge cases I mentionned which pushed my PR into too time consuming
I would like to point out that you are a company using an open source software, so while you might not be paid to fix bug in said software, you do have the resources to take on a small PR if you have the resources to spend 2 days writing a solution for yourself, using a software provided for free. If you want a bug fixed in OSS you usually have to open a PR, that is how it has always worked in open source, because devs simply don't have time to fix every niche bug anyone finds. It is simply good etiquette for a company to do that and as MIT licensed you are under no obligation to open a PR or share your solution as well but you also cannot expect anyone else to do that for you if you fail to do so (different story for GPL though where it's required by the license that you have to contribute your fixes)
The process of submitting PRs is way too complicated, we have to fork the repository and so on. Not to mention that we must follow the laravel community's codding standards which differ almost 180 degrees from ours.
It's not that complicated, but if you think it is then that is hypocritical in that you expect someone else to do that complicated thing just because you don't want to
- you just fork via github
- clone your fork
- composer install
- apply your patch and run the test suite to make sure that nothing breaks (this is the hard part of the PR which you just cannot put on someone else)
- for the coding standard I believe you just have vendor/bin/pint and it formats your code automatically
- Commit and push
- Open a PR via github
@Tofandel thanks for the detailed response and sorry we ruled you out when we said "no one". The tests will definitely fail if that static is not false during the whole process if they were wrote to check it so, they need change (as most of the unit tests when the logic changes).
The best thing would be for the dev that implemented that static property to check this solution.
Maybe this can help users that are in this edge case situation: https://github.com/cweagans/composer-patches that need to fix this issue.