| 1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283 | <?php
namespace App\Actions\FilamentCompanies;
use App\Models\{Company, User};
use Closure;
use Illuminate\Auth\Access\AuthorizationException;
use Illuminate\Contracts\Validation\Rule;
use Illuminate\Support\Facades\{Gate, Validator};
use Wallo\FilamentCompanies\Contracts\AddsCompanyEmployees;
use Wallo\FilamentCompanies\Events\{AddingCompanyEmployee, CompanyEmployeeAdded};
use Wallo\FilamentCompanies\FilamentCompanies;
use Wallo\FilamentCompanies\Rules\Role;
class AddCompanyEmployee implements AddsCompanyEmployees
{
    /**
     * Add a new company employee to the given company.
     *
     * @throws AuthorizationException
     */
    public function add(User $user, Company $company, string $email, ?string $role = null): void
    {
        Gate::forUser($user)->authorize('addCompanyEmployee', $company);
        $this->validate($company, $email, $role);
        $newCompanyEmployee = FilamentCompanies::findUserByEmailOrFail($email);
        AddingCompanyEmployee::dispatch($company, $newCompanyEmployee);
        $company->users()->attach(
            $newCompanyEmployee,
            ['role' => $role]
        );
        CompanyEmployeeAdded::dispatch($company, $newCompanyEmployee);
    }
    /**
     * Validate the add employee operation.
     */
    protected function validate(Company $company, string $email, ?string $role): void
    {
        Validator::make([
            'email' => $email,
            'role' => $role,
        ], $this->rules(), [
            'email.exists' => __('filament-companies::default.errors.email_not_found'),
        ])->after(
            $this->ensureUserIsNotAlreadyOnCompany($company, $email)
        )->validateWithBag('addCompanyEmployee');
    }
    /**
     * Get the validation rules for adding a company employee.
     *
     * @return array<string, Rule|array|string>
     */
    protected function rules(): array
    {
        return array_filter([
            'email' => ['required', 'email', 'exists:users'],
            'role' => FilamentCompanies::hasRoles()
                            ? ['required', 'string', new Role]
                            : null,
        ]);
    }
    /**
     * Ensure that the user is not already on the company.
     */
    protected function ensureUserIsNotAlreadyOnCompany(Company $company, string $email): Closure
    {
        return static function ($validator) use ($company, $email) {
            $validator->errors()->addIf(
                $company->hasUserWithEmail($email),
                'email',
                __('filament-companies::default.errors.user_belongs_to_company')
            );
        };
    }
}
 |