Docker-DockerComposeOrchest.../app/Models/Flight.php

115 lines
2.7 KiB
PHP

<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Database\Eloquent\Factories\HasFactory;
class Flight extends Model
{
use HasFactory;
protected $fillable = [
'flight_number',
'airline_id',
];
public function airline()
{
return $this->belongsTo(Airline::class);
}
public function segments()
{
return $this->hasMany(FlightSegment::class);
}
public function classes()
{
return $this->hasMany(FlightClass::class);
}
public function seats()
{
return $this->hasMany(FlightSeat::class);
}
public function transactions()
{
return $this->hasMany(Transaction::class);
}
public function generateSeats()
{
$classes = $this->classes;
foreach ($classes as $class) {
$totalSeats = $class->total_seats;
$seatPerRow = $this->getSeatsPerRow($class->class_type);
$rows = ceil($totalSeats / $seatPerRow);
$existingSeats = FlightSeat::where('flight_id', $this->id)
->where('class_type', $class->class_type)
->get();
$existingRows = $existingSeats->pluck('row')->toArray();
$seatCounter = 1;
for ($row = 1; $row <= $rows; $row++) {
if (!in_array($row, $existingRows)) {
for ($column = 1; $column <= $seatPerRow; $column++) {
if ($seatCounter > $totalSeats) {
break;
}
$seatCode = $this->generateSeatCode($row, $column);
FlightSeat::create([
'flight_id' => $this->id,
'name' => $seatCode,
'row' => $row,
'column' => $column,
'is_available' => true,
'class_type' => $class->class_type,
]);
$seatCounter++;
}
}
}
foreach ($existingSeats as $existingSeat) {
if ($existingSeat->column > $seatPerRow || $existingSeat->row > $rows) {
$existingSeat->is_available = false;
$existingSeat->save();
}
}
}
}
protected function getSeatsPerRow($classType)
{
switch ($classType) {
case 'business':
return 4;
case 'economy':
return 6;
default:
return 4;
}
}
private function generateSeatCode($row, $column)
{
$rowLetter = chr(64 + $row);
return $rowLetter . $column;
}
}