108 lines
2.8 KiB
PHP
108 lines
2.8 KiB
PHP
<?php
|
||
|
||
namespace App\Modules\Tasks\Models;
|
||
|
||
use CodeIgniter\Model;
|
||
use App\Models\Traits\TenantScopedModel;
|
||
|
||
class TaskAttachmentModel extends Model
|
||
{
|
||
use TenantScopedModel;
|
||
|
||
protected $table = 'task_attachments';
|
||
protected $primaryKey = 'id';
|
||
protected $useAutoIncrement = true;
|
||
protected $returnType = 'array';
|
||
protected $useSoftDeletes = false;
|
||
protected $tenantField = 'task.organization_id';
|
||
protected $allowedFields = [
|
||
'task_id',
|
||
'file_name',
|
||
'file_path',
|
||
'file_size',
|
||
'file_type',
|
||
'uploaded_by',
|
||
];
|
||
protected $useTimestamps = true;
|
||
protected $createdField = 'created_at';
|
||
protected $updatedField = 'updated_at';
|
||
|
||
/**
|
||
* Получить вложения задачи
|
||
*/
|
||
public function getByTask(int $taskId): array
|
||
{
|
||
return $this->where('task_id', $taskId)
|
||
->orderBy('created_at', 'DESC')
|
||
->findAll();
|
||
}
|
||
|
||
/**
|
||
* Получить вложение по ID
|
||
*/
|
||
public function getById(int $attachmentId): ?array
|
||
{
|
||
return $this->find($attachmentId);
|
||
}
|
||
|
||
/**
|
||
* Удалить вложение
|
||
*/
|
||
public function deleteAttachment(int $attachmentId, int $userId): bool
|
||
{
|
||
$attachment = $this->find($attachmentId);
|
||
if (!$attachment) {
|
||
return false;
|
||
}
|
||
|
||
// Удаляем файл с диска
|
||
$filePath = $attachment['file_path'];
|
||
if (file_exists($filePath)) {
|
||
unlink($filePath);
|
||
}
|
||
|
||
return $this->delete($attachmentId);
|
||
}
|
||
|
||
/**
|
||
* Получить размер файла в человекочитаемом формате
|
||
*/
|
||
public function formatSize(int $bytes): string
|
||
{
|
||
if ($bytes >= 1073741824) {
|
||
return number_format($bytes / 1073741824, 2) . ' GB';
|
||
} elseif ($bytes >= 1048576) {
|
||
return number_format($bytes / 1048576, 2) . ' MB';
|
||
} elseif ($bytes >= 1024) {
|
||
return number_format($bytes / 1024, 2) . ' KB';
|
||
}
|
||
|
||
return $bytes . ' B';
|
||
}
|
||
|
||
/**
|
||
* Получить иконку для типа файла
|
||
*/
|
||
public function getFileIcon(string $fileType): string
|
||
{
|
||
$icons = [
|
||
'image' => 'fa-file-image',
|
||
'pdf' => 'fa-file-pdf',
|
||
'word' => 'fa-file-word',
|
||
'excel' => 'fa-file-excel',
|
||
'powerpoint' => 'fa-file-powerpoint',
|
||
'zip' => 'fa-file-zipper',
|
||
'text' => 'fa-file-lines',
|
||
'video' => 'fa-file-video',
|
||
'audio' => 'fa-file-audio',
|
||
];
|
||
|
||
foreach ($icons as $key => $icon) {
|
||
if (stripos($fileType, $key) !== false) {
|
||
return $icon;
|
||
}
|
||
}
|
||
|
||
return 'fa-file';
|
||
}
|
||
} |