Você pode reescrever sua consulta como left join para obter os mesmos resultados
select a.*
from part_histories a
left join part_histories b on a.part_id = b.part_id
and a.created_at < b.created_at
where b.part_id is null
e acho que você pode transformar facilmente acima da consulta em seu escopo algo como
public function scopeWithLatestStatus($query)
{
return $query->leftJoin('part_histories as b', function ($join) {
$join->on('a.part_id', '=', 'b.part_id')
->where('a.created_at', '<', 'b.created_at');
})
->whereNull('b.part_id')
->from('part_histories as a')
->select('a.*');
}
Laravel Eloquent select todas as linhas com max created_at
Laravel - Obter a última entrada de cada tipo de UID
Grupo Laravel Eloquent por registro mais recente
Edite usando a consulta acima como
has
relação,Para obter o histórico mais recente para cada parte, você pode definir um hasOne
relação como namespace App\Models;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Support\Facades\DB;
class Part extends Model
{
public function latest_history()
{
return $this->hasOne(\App\Models\PartHistory::class, 'part_id')
->leftJoin('part_histories as p1', function ($join) {
$join->on('part_histories.part_id', '=', 'p1.part_id')
->whereRaw(DB::raw('part_histories.created_at < p1.created_at'));
})->whereNull('p1.part_id')
->select('part_histories.*');
}
}
E então, para carregar as partes com seu histórico mais recente, você pode carregar o mapeamento acima definido como
$parts = Part::with('latest_history')->get();
Você terá uma lista de peças junto com o histórico mais recente como
Array
(
[0] => Array
(
[id] => 1
[title] => P1
[latest_history] => Array
(
[id] => 6
[created_at] => 2018-06-16 08:25:10
[status] => 1
[part_id] => 1
)
)
....
)