110 lines
2.3 KiB
PHP
110 lines
2.3 KiB
PHP
<?php
|
|
|
|
namespace App\Models;
|
|
|
|
// use Illuminate\Contracts\Auth\MustVerifyEmail;
|
|
use Illuminate\Database\Eloquent\Factories\HasFactory;
|
|
use Illuminate\Foundation\Auth\User as Authenticatable;
|
|
use Illuminate\Notifications\Notifiable;
|
|
use App\Enums\UserRole;
|
|
use Illuminate\Database\Eloquent\Relations\HasMany;
|
|
use App\Models\Purchase;
|
|
|
|
class User extends Authenticatable
|
|
{
|
|
/** @use HasFactory<\Database\Factories\UserFactory> */
|
|
use HasFactory, Notifiable;
|
|
|
|
/**
|
|
* The attributes that are mass assignable.
|
|
*
|
|
* @var list<string>
|
|
*/
|
|
protected $fillable = [
|
|
'name',
|
|
'username',
|
|
'email',
|
|
'password',
|
|
'role',
|
|
|
|
];
|
|
|
|
/**
|
|
* The attributes that should be hidden for serialization.
|
|
*
|
|
* @var list<string>
|
|
*/
|
|
protected $hidden = [
|
|
'password',
|
|
'remember_token',
|
|
];
|
|
|
|
/**
|
|
* The attributes that should be cast.
|
|
*
|
|
* @var array<string,string>
|
|
*/
|
|
protected $casts = [
|
|
'email_verified_at' => 'datetime',
|
|
'password' => 'hashed',
|
|
'role' => UserRole::class,
|
|
];
|
|
|
|
/**
|
|
* Get purchases for the user (one-to-many)
|
|
*/
|
|
public function purchases(): HasMany
|
|
{
|
|
return $this->hasMany(Purchase::class, 'user_id');
|
|
}
|
|
|
|
/**
|
|
* Get event reservations for the user.
|
|
*/
|
|
public function eventReservations()
|
|
{
|
|
return $this->belongsToMany(Event::class, 'event_reservations')
|
|
->withPivot('number_of_guests', 'status')
|
|
->withTimestamps();
|
|
}
|
|
|
|
/**
|
|
* Check if the user has a specific role
|
|
*/
|
|
public function hasRole(UserRole $role): bool
|
|
{
|
|
return $this->role === $role;
|
|
}
|
|
|
|
/**
|
|
* Check if the user is a winemaker
|
|
*/
|
|
public function isWinemaker(): bool
|
|
{
|
|
return $this->role === UserRole::WINEMAKER;
|
|
}
|
|
|
|
/**
|
|
* Check if the user is a customer
|
|
*/
|
|
public function isCustomer(): bool
|
|
{
|
|
return $this->role === UserRole::CUSTOMER;
|
|
}
|
|
|
|
/**
|
|
* Check if the user is an admin
|
|
*/
|
|
public function isAdmin(): bool
|
|
{
|
|
return $this->role === UserRole::ADMIN;
|
|
}
|
|
|
|
/**
|
|
* Check if the user is an employee
|
|
*/
|
|
public function isEmployee(): bool
|
|
{
|
|
return $this->role === UserRole::EMPLOYEE;
|
|
}
|
|
}
|